diff --git a/examples/clients/README.md b/examples/clients/README.md new file mode 100644 index 000000000..6662b1d74 --- /dev/null +++ b/examples/clients/README.md @@ -0,0 +1,11 @@ +# Client sample + +The directory `app/` contains a minimal Vespa application which can be used to test the client implementation. + +`dataset/` contains some sample data for feeding. + +Before testing any clients, deploy the Vespa application: + +```bash +vespa deploy --wait 300 app +``` diff --git a/examples/clients/app/schemas/passage.sd b/examples/clients/app/schemas/passage.sd new file mode 100644 index 000000000..da00defef --- /dev/null +++ b/examples/clients/app/schemas/passage.sd @@ -0,0 +1,22 @@ +schema passage { + document passage { + field id type string { + indexing: summary | attribute + } + + field text type string { + indexing: summary | index + index: enable-bm25 + } + } + + fieldset default { + fields: text + } + + rank-profile default { + first-phase { + expression: bm25(text) + } + } +} diff --git a/examples/clients/app/services.xml b/examples/clients/app/services.xml new file mode 100644 index 000000000..30f7b7222 --- /dev/null +++ b/examples/clients/app/services.xml @@ -0,0 +1,20 @@ + + + + + + + + + + + 2 + + + + + + + + diff --git a/examples/clients/client-java/.gitattributes b/examples/clients/client-java/.gitattributes new file mode 100644 index 000000000..f91f64602 --- /dev/null +++ b/examples/clients/client-java/.gitattributes @@ -0,0 +1,12 @@ +# +# https://help.github.com/articles/dealing-with-line-endings/ +# +# Linux start script should use lf +/gradlew text eol=lf + +# These are Windows script files and should use crlf +*.bat text eol=crlf + +# Binary files should be left untouched +*.jar binary + diff --git a/examples/clients/client-java/.gitignore b/examples/clients/client-java/.gitignore new file mode 100644 index 000000000..daeb33f9b --- /dev/null +++ b/examples/clients/client-java/.gitignore @@ -0,0 +1,10 @@ +# Ignore Gradle project-specific cache directory +.gradle + +# Ignore Gradle build output directory +build + +# Ignore Kotlin plugin data +.kotlin + +app/bin diff --git a/examples/clients/client-java/README.md b/examples/clients/client-java/README.md new file mode 100644 index 000000000..ea018e8f9 --- /dev/null +++ b/examples/clients/client-java/README.md @@ -0,0 +1,23 @@ +# Usage + +Make sure the top-level Vespa application is deployed. + +Configure endpoint and identity files in `VespaClient.java`. + +## Feed + +```bash +gradle run --args="--feed ../dataset/docs.jsonl" +``` + +## Perform a simple query + +```bash +gradle run --args="--query \"longest word in spanish\"" +``` + +## Perform a query load test + +```bash +gradle run --args="--load-test" +``` diff --git a/examples/clients/client-java/app/build.gradle.kts b/examples/clients/client-java/app/build.gradle.kts new file mode 100644 index 000000000..b8d54a134 --- /dev/null +++ b/examples/clients/client-java/app/build.gradle.kts @@ -0,0 +1,33 @@ +plugins { + application +} + +repositories { + mavenCentral() +} + +dependencies { + testImplementation(libs.junit) + + implementation(libs.guava) + + implementation("io.github.hakky54:ayza-for-pem:10.0.3") + implementation("com.squareup.okhttp3:okhttp:5.3.2") + implementation("org.slf4j:slf4j-simple:2.0.17") + implementation("commons-cli:commons-cli:1.11.0") + implementation("com.yahoo.vespa:vespa-feed-client:8.643.19"); +} + +java { + toolchain { + languageVersion = JavaLanguageVersion.of(21) + } +} + +application { + mainClass = "com.example.VespaClient" +} + +tasks.named("run") { + workingDir = file(System.getProperty("user.dir")) +} diff --git a/examples/clients/client-java/app/src/main/java/com/example/VespaClient.java b/examples/clients/client-java/app/src/main/java/com/example/VespaClient.java new file mode 100644 index 000000000..8662f57d1 --- /dev/null +++ b/examples/clients/client-java/app/src/main/java/com/example/VespaClient.java @@ -0,0 +1,260 @@ +package com.example; + +import java.io.FileInputStream; +import java.io.IOException; +import java.net.URI; +import java.nio.file.Path; +import java.time.Duration; +import java.util.Optional; +import java.util.concurrent.ExecutorService; +import java.util.concurrent.Executors; +import java.util.concurrent.TimeUnit; +import java.util.concurrent.atomic.AtomicLong; +import java.util.logging.Logger; + +import org.apache.commons.cli.CommandLine; +import org.apache.commons.cli.CommandLineParser; +import org.apache.commons.cli.DefaultParser; +import org.apache.commons.cli.Options; +import org.apache.commons.cli.ParseException; +import org.apache.commons.cli.help.HelpFormatter; + +import ai.vespa.feed.client.DocumentId; +import ai.vespa.feed.client.FeedClient; +import ai.vespa.feed.client.FeedClientBuilder; +import ai.vespa.feed.client.FeedException; +import ai.vespa.feed.client.JsonFeeder; +import ai.vespa.feed.client.Result; +import nl.altindag.ssl.SSLFactory; +import nl.altindag.ssl.pem.util.PemUtils; +import okhttp3.ConnectionPool; +import okhttp3.HttpUrl; +import okhttp3.OkHttpClient; +import okhttp3.Request; +import okhttp3.Response; + +public class VespaClient { + private final static Logger log = Logger.getLogger(VespaClient.class.getName()); + + private enum AuthMethod { + MTLS, // mTLS: Recommended for Vespa Cloud + TOKEN, // Token-based authentication + NONE // E.g. if self-hosting. + }; + + private static final AuthMethod AUTH_METHOD = AuthMethod.MTLS; + + private static final String ENDPOINT = ""; + // Auth method mTLS + private static final String PUBLIC_CERT = ""; + private static final String PRIVATE_KEY = ""; + + // Auth method token. + private static final String TOKEN = ""; + + private static final int LOAD_CONCURRENCY = 400; + private static final int LOAD_NUM_QUERIES = 50000; + + public static void main(String[] args) throws Exception { + Options options = new Options(); + options.addOption("q", "query", true, "Run one query"); + options.addOption("l", "load-test", false, "Run many queries"); + options.addOption("f", "feed", true, "Feed documents"); + + CommandLineParser parser = new DefaultParser(); + HelpFormatter formatter = HelpFormatter.builder().get(); + + try { + CommandLine cmd = parser.parse(options, args); + if (cmd.hasOption("l")) { + loadTest(); + } else if (cmd.hasOption("f")) { + String feedPath = cmd.getOptionValue("f"); + feedFromFile(feedPath); + } else if (cmd.hasOption("q")) { + String query = cmd.getOptionValue("q"); + try { + String result = runSingleQuery(createHttpClient(), "select * from sources * where userQuery()", query).get(); + log.info(result); + } catch (Exception e) { + log.severe("Query failed with message: " + e.getMessage()); + } + } else { + formatter.printHelp("VespaClient", "", options, "Error: No option specified", true); + } + } catch (ParseException e) { + log.severe("Error parsing command line: " + e.getMessage()); + formatter.printHelp("VespaClient", "", options, "", true); + } + } + + static SSLFactory getSSLFactory() { + var keyManager = PemUtils.loadIdentityMaterial(Path.of(PUBLIC_CERT), Path.of(PRIVATE_KEY)); + var sslFactory = SSLFactory.builder() + .withIdentityMaterial(keyManager) + .withDefaultTrustMaterial() + .build(); + + return sslFactory; + } + + /** + * Create a {@link OkHttpClient} for querying, with settings based on {@link VespaClient#AUTH_METHOD}. + */ + static OkHttpClient createHttpClient() { + var builder = new OkHttpClient.Builder() + .connectionPool(new ConnectionPool(LOAD_CONCURRENCY, 5, TimeUnit.MINUTES)) + .connectTimeout(5, TimeUnit.SECONDS) + .readTimeout(2, TimeUnit.SECONDS); + + switch (AUTH_METHOD) { + case MTLS: + { + var sslFactory = getSSLFactory(); + builder.sslSocketFactory(sslFactory.getSslSocketFactory(), sslFactory.getTrustManager().orElseThrow()); + } + break; + case TOKEN: + { + builder.addInterceptor(chain -> { + return chain.proceed( + chain.request() + .newBuilder() + .header("Authorization", "Bearer " + TOKEN) + .build() + ); + }); + } + break; + case NONE: + break; + } + + return builder.build(); + } + + /** + * Create a {@link JsonFeeder} with settings based on {@link VespaClient#AUTH_METHOD}. + */ + static JsonFeeder createFeeder() { + FeedClientBuilder builder = FeedClientBuilder.create(URI.create(ENDPOINT)); + switch (AUTH_METHOD) { + case MTLS: + builder.setSslContext(getSSLFactory().getSslContext()); + break; + case TOKEN: + builder.addRequestHeader("Authorization", "Bearer " + TOKEN); + break; + case NONE: + break; + } + FeedClient client = builder.build(); + return JsonFeeder.builder(client) + .withTimeout(Duration.ofSeconds(30)) + .build(); + } + + static Optional runSingleQuery(OkHttpClient client, String yql, String query) throws IOException { + HttpUrl url = HttpUrl.parse(ENDPOINT + "search/") + .newBuilder() + .addQueryParameter("yql", yql) + .addQueryParameter("query", query) + .build(); + + Request request = new Request.Builder() + .url(url) + .build(); + + try (Response response = client.newCall(request).execute()) { + if (response.code() != 200) { + throw new IOException("Error code " + response.code()); + } + if (response.body() != null) { + // consume + return Optional.of(response.body().string()); + } + } + return Optional.empty(); + } + + static void loadTest() throws Exception { + var client = createHttpClient(); + + ExecutorService executor = Executors.newFixedThreadPool(LOAD_CONCURRENCY); + + AtomicLong resultsReceived = new AtomicLong(0); + AtomicLong errorsReceived = new AtomicLong(0); + + log.info("Performing " + LOAD_NUM_QUERIES + " queries with concurrency: " + LOAD_CONCURRENCY); + + long startTimeMillis = System.currentTimeMillis(); + + for (int i = 0; i < LOAD_NUM_QUERIES; ++i) { + executor.submit(() -> { + try { + runSingleQuery(client, "select * from sources * where userQuery()", "guinness world record"); + } catch (Exception e) { + log.severe("Query iteration failed with: " + e.getMessage()); + errorsReceived.incrementAndGet(); + } finally { + resultsReceived.incrementAndGet(); + } + }); + } + executor.shutdown(); + executor.awaitTermination(1, TimeUnit.HOURS); + + long timeSpentMillis = System.currentTimeMillis() - startTimeMillis; + double qps = (double)(resultsReceived.get() - errorsReceived.get()) / (timeSpentMillis / 1000.0); + log.info("----- Results -----"); + log.info("Received in total " + resultsReceived.get() + " results, " + errorsReceived.get() + " errors."); + log.info("Time spent: " + timeSpentMillis + " ms."); + log.info("QPS: " + qps); + } + + /** + * Feed documents from a .jsonl file given by {@code filePath}. + */ + static void feedFromFile(String filePath) { + try (FileInputStream jsonStream = new FileInputStream(filePath)) { + JsonFeeder feeder = createFeeder(); + log.info("Starting feed"); + + AtomicLong resultsReceived = new AtomicLong(0); + AtomicLong errorsReceived = new AtomicLong(0); + + long startTimeMillis = System.currentTimeMillis(); + + var promise = feeder.feedMany(jsonStream, new JsonFeeder.ResultCallback() { + @Override + public void onNextResult(Result result, FeedException error) { + resultsReceived.incrementAndGet(); + if (error != null) { + log.warning("Problems with feeding document " + + error.documentId().map(DocumentId::toString).orElse("") + + ": " + error + ); + errorsReceived.incrementAndGet(); + } + } + + @Override + public void onError(FeedException error) { + log.severe("Feeding failed fatally: " + error.getMessage()); + } + }); + + promise.join(); + feeder.close(); + + long timeSpentMillis = (System.currentTimeMillis() - startTimeMillis); + double okRatePerSec = (double)(resultsReceived.get() - errorsReceived.get()) / (timeSpentMillis / 1000.0); + log.info("----- Results ----"); + log.info("Received in total " + resultsReceived.get() + " results, " + errorsReceived.get() + " errors."); + log.info("Time spent: " + timeSpentMillis + " ms."); + log.info("OK-rate: " + okRatePerSec + "/s"); + } catch (IOException e) { + log.severe("Fatal error when trying to feed documents: " + e.getMessage()); + } + } +} diff --git a/examples/clients/client-java/gradle.properties b/examples/clients/client-java/gradle.properties new file mode 100644 index 000000000..377538c99 --- /dev/null +++ b/examples/clients/client-java/gradle.properties @@ -0,0 +1,5 @@ +# This file was generated by the Gradle 'init' task. +# https://docs.gradle.org/current/userguide/build_environment.html#sec:gradle_configuration_properties + +org.gradle.configuration-cache=true + diff --git a/examples/clients/client-java/gradle/libs.versions.toml b/examples/clients/client-java/gradle/libs.versions.toml new file mode 100644 index 000000000..0a545288e --- /dev/null +++ b/examples/clients/client-java/gradle/libs.versions.toml @@ -0,0 +1,10 @@ +# This file was generated by the Gradle 'init' task. +# https://docs.gradle.org/current/userguide/version_catalogs.html#sec::toml-dependencies-format + +[versions] +guava = "33.4.6-jre" +junit = "4.13.2" + +[libraries] +guava = { module = "com.google.guava:guava", version.ref = "guava" } +junit = { module = "junit:junit", version.ref = "junit" } diff --git a/examples/clients/client-java/gradle/wrapper/gradle-wrapper.jar b/examples/clients/client-java/gradle/wrapper/gradle-wrapper.jar new file mode 100644 index 000000000..61285a659 Binary files /dev/null and b/examples/clients/client-java/gradle/wrapper/gradle-wrapper.jar differ diff --git a/examples/clients/client-java/gradle/wrapper/gradle-wrapper.properties b/examples/clients/client-java/gradle/wrapper/gradle-wrapper.properties new file mode 100644 index 000000000..37f78a6af --- /dev/null +++ b/examples/clients/client-java/gradle/wrapper/gradle-wrapper.properties @@ -0,0 +1,7 @@ +distributionBase=GRADLE_USER_HOME +distributionPath=wrapper/dists +distributionUrl=https\://services.gradle.org/distributions/gradle-9.3.1-bin.zip +networkTimeout=10000 +validateDistributionUrl=true +zipStoreBase=GRADLE_USER_HOME +zipStorePath=wrapper/dists diff --git a/examples/clients/client-java/gradlew b/examples/clients/client-java/gradlew new file mode 100755 index 000000000..adff685a0 --- /dev/null +++ b/examples/clients/client-java/gradlew @@ -0,0 +1,248 @@ +#!/bin/sh + +# +# Copyright © 2015 the original authors. +# +# 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 +# +# https://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. +# +# SPDX-License-Identifier: Apache-2.0 +# + +############################################################################## +# +# Gradle start up script for POSIX generated by Gradle. +# +# Important for running: +# +# (1) You need a POSIX-compliant shell to run this script. If your /bin/sh is +# noncompliant, but you have some other compliant shell such as ksh or +# bash, then to run this script, type that shell name before the whole +# command line, like: +# +# ksh Gradle +# +# Busybox and similar reduced shells will NOT work, because this script +# requires all of these POSIX shell features: +# * functions; +# * expansions «$var», «${var}», «${var:-default}», «${var+SET}», +# «${var#prefix}», «${var%suffix}», and «$( cmd )»; +# * compound commands having a testable exit status, especially «case»; +# * various built-in commands including «command», «set», and «ulimit». +# +# Important for patching: +# +# (2) This script targets any POSIX shell, so it avoids extensions provided +# by Bash, Ksh, etc; in particular arrays are avoided. +# +# The "traditional" practice of packing multiple parameters into a +# space-separated string is a well documented source of bugs and security +# problems, so this is (mostly) avoided, by progressively accumulating +# options in "$@", and eventually passing that to Java. +# +# Where the inherited environment variables (DEFAULT_JVM_OPTS, JAVA_OPTS, +# and GRADLE_OPTS) rely on word-splitting, this is performed explicitly; +# see the in-line comments for details. +# +# There are tweaks for specific operating systems such as AIX, CygWin, +# Darwin, MinGW, and NonStop. +# +# (3) This script is generated from the Groovy template +# https://github.com/gradle/gradle/blob/HEAD/platforms/jvm/plugins-application/src/main/resources/org/gradle/api/internal/plugins/unixStartScript.txt +# within the Gradle project. +# +# You can find Gradle at https://github.com/gradle/gradle/. +# +############################################################################## + +# Attempt to set APP_HOME + +# Resolve links: $0 may be a link +app_path=$0 + +# Need this for daisy-chained symlinks. +while + APP_HOME=${app_path%"${app_path##*/}"} # leaves a trailing /; empty if no leading path + [ -h "$app_path" ] +do + ls=$( ls -ld "$app_path" ) + link=${ls#*' -> '} + case $link in #( + /*) app_path=$link ;; #( + *) app_path=$APP_HOME$link ;; + esac +done + +# This is normally unused +# shellcheck disable=SC2034 +APP_BASE_NAME=${0##*/} +# Discard cd standard output in case $CDPATH is set (https://github.com/gradle/gradle/issues/25036) +APP_HOME=$( cd -P "${APP_HOME:-./}" > /dev/null && printf '%s\n' "$PWD" ) || exit + +# Use the maximum available, or set MAX_FD != -1 to use that value. +MAX_FD=maximum + +warn () { + echo "$*" +} >&2 + +die () { + echo + echo "$*" + echo + exit 1 +} >&2 + +# OS specific support (must be 'true' or 'false'). +cygwin=false +msys=false +darwin=false +nonstop=false +case "$( uname )" in #( + CYGWIN* ) cygwin=true ;; #( + Darwin* ) darwin=true ;; #( + MSYS* | MINGW* ) msys=true ;; #( + NONSTOP* ) nonstop=true ;; +esac + + + +# Determine the Java command to use to start the JVM. +if [ -n "$JAVA_HOME" ] ; then + if [ -x "$JAVA_HOME/jre/sh/java" ] ; then + # IBM's JDK on AIX uses strange locations for the executables + JAVACMD=$JAVA_HOME/jre/sh/java + else + JAVACMD=$JAVA_HOME/bin/java + fi + if [ ! -x "$JAVACMD" ] ; then + die "ERROR: JAVA_HOME is set to an invalid directory: $JAVA_HOME + +Please set the JAVA_HOME variable in your environment to match the +location of your Java installation." + fi +else + JAVACMD=java + if ! command -v java >/dev/null 2>&1 + then + die "ERROR: JAVA_HOME is not set and no 'java' command could be found in your PATH. + +Please set the JAVA_HOME variable in your environment to match the +location of your Java installation." + fi +fi + +# Increase the maximum file descriptors if we can. +if ! "$cygwin" && ! "$darwin" && ! "$nonstop" ; then + case $MAX_FD in #( + max*) + # In POSIX sh, ulimit -H is undefined. That's why the result is checked to see if it worked. + # shellcheck disable=SC2039,SC3045 + MAX_FD=$( ulimit -H -n ) || + warn "Could not query maximum file descriptor limit" + esac + case $MAX_FD in #( + '' | soft) :;; #( + *) + # In POSIX sh, ulimit -n is undefined. That's why the result is checked to see if it worked. + # shellcheck disable=SC2039,SC3045 + ulimit -n "$MAX_FD" || + warn "Could not set maximum file descriptor limit to $MAX_FD" + esac +fi + +# Collect all arguments for the java command, stacking in reverse order: +# * args from the command line +# * the main class name +# * -classpath +# * -D...appname settings +# * --module-path (only if needed) +# * DEFAULT_JVM_OPTS, JAVA_OPTS, and GRADLE_OPTS environment variables. + +# For Cygwin or MSYS, switch paths to Windows format before running java +if "$cygwin" || "$msys" ; then + APP_HOME=$( cygpath --path --mixed "$APP_HOME" ) + + JAVACMD=$( cygpath --unix "$JAVACMD" ) + + # Now convert the arguments - kludge to limit ourselves to /bin/sh + for arg do + if + case $arg in #( + -*) false ;; # don't mess with options #( + /?*) t=${arg#/} t=/${t%%/*} # looks like a POSIX filepath + [ -e "$t" ] ;; #( + *) false ;; + esac + then + arg=$( cygpath --path --ignore --mixed "$arg" ) + fi + # Roll the args list around exactly as many times as the number of + # args, so each arg winds up back in the position where it started, but + # possibly modified. + # + # NB: a `for` loop captures its iteration list before it begins, so + # changing the positional parameters here affects neither the number of + # iterations, nor the values presented in `arg`. + shift # remove old arg + set -- "$@" "$arg" # push replacement arg + done +fi + + +# Add default JVM options here. You can also use JAVA_OPTS and GRADLE_OPTS to pass JVM options to this script. +DEFAULT_JVM_OPTS='"-Xmx64m" "-Xms64m"' + +# Collect all arguments for the java command: +# * DEFAULT_JVM_OPTS, JAVA_OPTS, and optsEnvironmentVar are not allowed to contain shell fragments, +# and any embedded shellness will be escaped. +# * For example: A user cannot expect ${Hostname} to be expanded, as it is an environment variable and will be +# treated as '${Hostname}' itself on the command line. + +set -- \ + "-Dorg.gradle.appname=$APP_BASE_NAME" \ + -jar "$APP_HOME/gradle/wrapper/gradle-wrapper.jar" \ + "$@" + +# Stop when "xargs" is not available. +if ! command -v xargs >/dev/null 2>&1 +then + die "xargs is not available" +fi + +# Use "xargs" to parse quoted args. +# +# With -n1 it outputs one arg per line, with the quotes and backslashes removed. +# +# In Bash we could simply go: +# +# readarray ARGS < <( xargs -n1 <<<"$var" ) && +# set -- "${ARGS[@]}" "$@" +# +# but POSIX shell has neither arrays nor command substitution, so instead we +# post-process each arg (as a line of input to sed) to backslash-escape any +# character that might be a shell metacharacter, then use eval to reverse +# that process (while maintaining the separation between arguments), and wrap +# the whole thing up as a single "set" statement. +# +# This will of course break if any of these variables contains a newline or +# an unmatched quote. +# + +eval "set -- $( + printf '%s\n' "$DEFAULT_JVM_OPTS $JAVA_OPTS $GRADLE_OPTS" | + xargs -n1 | + sed ' s~[^-[:alnum:]+,./:=@_]~\\&~g; ' | + tr '\n' ' ' + )" '"$@"' + +exec "$JAVACMD" "$@" diff --git a/examples/clients/client-java/gradlew.bat b/examples/clients/client-java/gradlew.bat new file mode 100644 index 000000000..c4bdd3ab8 --- /dev/null +++ b/examples/clients/client-java/gradlew.bat @@ -0,0 +1,93 @@ +@rem +@rem Copyright 2015 the original author or authors. +@rem +@rem Licensed under the Apache License, Version 2.0 (the "License"); +@rem you may not use this file except in compliance with the License. +@rem You may obtain a copy of the License at +@rem +@rem https://www.apache.org/licenses/LICENSE-2.0 +@rem +@rem Unless required by applicable law or agreed to in writing, software +@rem distributed under the License is distributed on an "AS IS" BASIS, +@rem WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +@rem See the License for the specific language governing permissions and +@rem limitations under the License. +@rem +@rem SPDX-License-Identifier: Apache-2.0 +@rem + +@if "%DEBUG%"=="" @echo off +@rem ########################################################################## +@rem +@rem Gradle startup script for Windows +@rem +@rem ########################################################################## + +@rem Set local scope for the variables with windows NT shell +if "%OS%"=="Windows_NT" setlocal + +set DIRNAME=%~dp0 +if "%DIRNAME%"=="" set DIRNAME=. +@rem This is normally unused +set APP_BASE_NAME=%~n0 +set APP_HOME=%DIRNAME% + +@rem Resolve any "." and ".." in APP_HOME to make it shorter. +for %%i in ("%APP_HOME%") do set APP_HOME=%%~fi + +@rem Add default JVM options here. You can also use JAVA_OPTS and GRADLE_OPTS to pass JVM options to this script. +set DEFAULT_JVM_OPTS="-Xmx64m" "-Xms64m" + +@rem Find java.exe +if defined JAVA_HOME goto findJavaFromJavaHome + +set JAVA_EXE=java.exe +%JAVA_EXE% -version >NUL 2>&1 +if %ERRORLEVEL% equ 0 goto execute + +echo. 1>&2 +echo ERROR: JAVA_HOME is not set and no 'java' command could be found in your PATH. 1>&2 +echo. 1>&2 +echo Please set the JAVA_HOME variable in your environment to match the 1>&2 +echo location of your Java installation. 1>&2 + +goto fail + +:findJavaFromJavaHome +set JAVA_HOME=%JAVA_HOME:"=% +set JAVA_EXE=%JAVA_HOME%/bin/java.exe + +if exist "%JAVA_EXE%" goto execute + +echo. 1>&2 +echo ERROR: JAVA_HOME is set to an invalid directory: %JAVA_HOME% 1>&2 +echo. 1>&2 +echo Please set the JAVA_HOME variable in your environment to match the 1>&2 +echo location of your Java installation. 1>&2 + +goto fail + +:execute +@rem Setup the command line + + + +@rem Execute Gradle +"%JAVA_EXE%" %DEFAULT_JVM_OPTS% %JAVA_OPTS% %GRADLE_OPTS% "-Dorg.gradle.appname=%APP_BASE_NAME%" -jar "%APP_HOME%\gradle\wrapper\gradle-wrapper.jar" %* + +:end +@rem End local scope for the variables with windows NT shell +if %ERRORLEVEL% equ 0 goto mainEnd + +:fail +rem Set variable GRADLE_EXIT_CONSOLE if you need the _script_ return code instead of +rem the _cmd.exe /c_ return code! +set EXIT_CODE=%ERRORLEVEL% +if %EXIT_CODE% equ 0 set EXIT_CODE=1 +if not ""=="%GRADLE_EXIT_CONSOLE%" exit %EXIT_CODE% +exit /b %EXIT_CODE% + +:mainEnd +if "%OS%"=="Windows_NT" endlocal + +:omega diff --git a/examples/clients/client-java/settings.gradle.kts b/examples/clients/client-java/settings.gradle.kts new file mode 100644 index 000000000..415055120 --- /dev/null +++ b/examples/clients/client-java/settings.gradle.kts @@ -0,0 +1,14 @@ +/* + * This file was generated by the Gradle 'init' task. + * + * The settings file is used to specify which projects to include in your build. + * For more detailed information on multi-project builds, please refer to https://docs.gradle.org/9.3.1/userguide/multi_project_builds.html in the Gradle documentation. + */ + +plugins { + // Apply the foojay-resolver plugin to allow automatic download of JDKs + id("org.gradle.toolchains.foojay-resolver-convention") version "1.0.0" +} + +rootProject.name = "client-java" +include("app") diff --git a/examples/clients/dataset/docs.jsonl b/examples/clients/dataset/docs.jsonl new file mode 100644 index 000000000..93f695ace --- /dev/null +++ b/examples/clients/dataset/docs.jsonl @@ -0,0 +1,1000 @@ +{"put": "id:msmarco:passage::0", "fields": {"text": "The presence of communication amid scientific minds was equally important to the success of the Manhattan Project as scientific intellect was. The only cloud hanging over the impressive achievement of the atomic researchers and engineers is what their success truly meant; hundreds of thousands of innocent lives obliterated.", "id": "0"}} +{"put": "id:msmarco:passage::1", "fields": {"text": "The Manhattan Project and its atomic bomb helped bring an end to World War II. Its legacy of peaceful uses of atomic energy continues to have an impact on history and science.", "id": "1"}} +{"put": "id:msmarco:passage::2", "fields": {"text": "Essay on The Manhattan Project - The Manhattan Project The Manhattan Project was to see if making an atomic bomb possible. The success of this project would forever change the world forever making it known that something this powerful can be manmade.", "id": "2"}} +{"put": "id:msmarco:passage::3", "fields": {"text": "The Manhattan Project was the name for a project conducted during World War II, to develop the first atomic bomb. It refers specifically to the period of the project from 194 \u2026 2-1946 under the control of the U.S. Army Corps of Engineers, under the administration of General Leslie R. Groves.", "id": "3"}} +{"put": "id:msmarco:passage::4", "fields": {"text": "versions of each volume as well as complementary websites. The first website\u2013The Manhattan Project: An Interactive History\u2013is available on the Office of History and Heritage Resources website, http://www.cfo. doe.gov/me70/history. The Office of History and Heritage Resources and the National Nuclear Security", "id": "4"}} +{"put": "id:msmarco:passage::5", "fields": {"text": "The Manhattan Project. This once classified photograph features the first atomic bomb \u2014 a weapon that atomic scientists had nicknamed Gadget.. The nuclear age began on July 16, 1945, when it was detonated in the New Mexico desert.", "id": "5"}} +{"put": "id:msmarco:passage::6", "fields": {"text": "Nor will it attempt to substitute for the extraordinarily rich literature on the atomic bombs and the end of World War II. This collection does not attempt to document the origins and development of the Manhattan Project.", "id": "6"}} +{"put": "id:msmarco:passage::7", "fields": {"text": "Manhattan Project. The Manhattan Project was a research and development undertaking during World War II that produced the first nuclear weapons. It was led by the United States with the support of the United Kingdom and Canada. From 1942 to 1946, the project was under the direction of Major General Leslie Groves of the U.S. Army Corps of Engineers. Nuclear physicist Robert Oppenheimer was the director of the Los Alamos Laboratory that designed the actual bombs. The Army component of the project was designated the", "id": "7"}} +{"put": "id:msmarco:passage::8", "fields": {"text": "In June 1942, the United States Army Corps of Engineersbegan the Manhattan Project- The secret name for the 2 atomic bombs.", "id": "8"}} +{"put": "id:msmarco:passage::9", "fields": {"text": "One of the main reasons Hanford was selected as a site for the Manhattan Project's B Reactor was its proximity to the Columbia River, the largest river flowing into the Pacific Ocean from the North American coast.", "id": "9"}} +{"put": "id:msmarco:passage::10", "fields": {"text": "group discussions, community boards or panels with a third party, or victim and offender dialogues, and requires a skilled facilitator who also has sufficient understanding of sexual assault, domestic violence, and dating violence, as well as trauma and safety issues.", "id": "10"}} +{"put": "id:msmarco:passage::11", "fields": {"text": "punishment designed to repair the damage done to the victim and community by an offender's criminal act. Ex: community service, Big Brother program indeterminate sentence", "id": "11"}} +{"put": "id:msmarco:passage::12", "fields": {"text": "Tutorial: Introduction to Restorative Justice. Restorative justice is a theory of justice that emphasizes repairing the harm caused by criminal behaviour. It is best accomplished through cooperative processes that include all stakeholders. This can lead to transformation of people, relationships and communities. Practices and programs reflecting restorative purposes will respond to crime by: 1 identifying and taking steps to repair harm, 2 involving all stakeholders, and. 3 transforming the traditional relationship between communities and their governments in responding to crime.", "id": "12"}} +{"put": "id:msmarco:passage::13", "fields": {"text": "Organize volunteer community panels, boards, or committees that meet with the offender to discuss the incident and offender obligation to repair the harm to victims and community members. Facilitate the process of apologies to victims and communities. Invite local victim advocates to provide ongoing victim-awareness training for probation staff.", "id": "13"}} +{"put": "id:msmarco:passage::14", "fields": {"text": "The purpose of this paper is to point out a number of unresolved issues in the criminal justice system, present the underlying principles of restorative justice, and then to review the growing amount of empirical data on victim-offender mediation.", "id": "14"}} +{"put": "id:msmarco:passage::15", "fields": {"text": "Each of these types of communities\u2014the geographic community of the victim, offender, or crime; the community of care; and civil society\u2014may be injured by crime in different ways and degrees, but all will be affected in common ways as well: The sense of safety and confidence of their members is threatened, order within the community is threatened, and (depending on the kind of crime) common values of the community are challenged and perhaps eroded.", "id": "15"}} +{"put": "id:msmarco:passage::16", "fields": {"text": "The approach is based on a theory of justice that considers crime and wrongdoing to be an offense against an individual or community, rather than the State. Restorative justice that fosters dialogue between victim and offender has shown the highest rates of victim satisfaction and offender accountability.", "id": "16"}} +{"put": "id:msmarco:passage::17", "fields": {"text": "Inherent in many people\u2019s understanding of the notion of ADR is the existence of a dispute between identifiable parties. Criminal justice, however, is not usually conceptualised as a dispute between victim and offender, but is instead seen as a matter concerning the relationship between the offender and the state. This raises a complex question as to whether a criminal offence can properly be described as a \u2018dispute\u2019.", "id": "17"}} +{"put": "id:msmarco:passage::18", "fields": {"text": "Criminal justice, however, is not usually conceptualised as a dispute between victim and offender, but is instead seen as a matter concerning the relationship between the offender and the state. 3 This raises a complex question as to whether a criminal offence can properly be described as a \u2018dispute\u2019.", "id": "18"}} +{"put": "id:msmarco:passage::19", "fields": {"text": "The circle includes a wide range of participants including not only the offender and the victim but also friends and families, community members, and justice system representatives. The primary distinction between conferencing and circles is that circles do not focus exclusively on the offense and do not limit their solutions to repairing the harm between the victim and the offender.", "id": "19"}} +{"put": "id:msmarco:passage::20", "fields": {"text": "Phloem is a conductive (or vascular) tissue found in plants. Phloem carries the products of photosynthesis (sucrose and glucose) from the leaves to other parts of the plant. \u2026 The corresponding system that circulates water and minerals from the roots is called the xylem.", "id": "20"}} +{"put": "id:msmarco:passage::21", "fields": {"text": "Phloem and xylem are complex tissues that perform transportation of food and water in a plant. They are the vascular tissues of the plant and together form vascular bundles. They work together as a unit to bring about effective transportation of food, nutrients, minerals and water.", "id": "21"}} +{"put": "id:msmarco:passage::22", "fields": {"text": "Phloem and xylem are complex tissues that perform transportation of food and water in a plant. They are the vascular tissues of the plant and together form vascular bundles.", "id": "22"}} +{"put": "id:msmarco:passage::23", "fields": {"text": "Phloem is a conductive (or vascular) tissue found in plants. Phloem carries the products of photosynthesis (sucrose and glucose) from the leaves to other parts of the plant.", "id": "23"}} +{"put": "id:msmarco:passage::24", "fields": {"text": "Unlike xylem (which is composed primarily of dead cells), the phloem is composed of still-living cells that transport sap. The sap is a water-based solution, but rich in sugars made by the photosynthetic areas.", "id": "24"}} +{"put": "id:msmarco:passage::25", "fields": {"text": "In xylem vessels water travels by bulk flow rather than cell diffusion. In phloem, concentration of organic substance inside a phloem cell (e.g., leaf) creates a diffusion gradient by which water flows into cells and phloem sap moves from source of organic substance to sugar sinks by turgor pressure.", "id": "25"}} +{"put": "id:msmarco:passage::26", "fields": {"text": "The mechanism by which sugars are transported through the phloem, from sources to sinks, is called pressure flow. At the sources (usually the leaves), sugar molecules are moved into the sieve elements (phloem cells) through active transport.", "id": "26"}} +{"put": "id:msmarco:passage::27", "fields": {"text": "Phloem carries the products of photosynthesis (sucrose and glucose) from the leaves to other parts of the plant. \u2026 The corresponding system that circulates water and minerals from the roots is called the xylem.", "id": "27"}} +{"put": "id:msmarco:passage::28", "fields": {"text": "Xylem transports water and soluble mineral nutrients from roots to various parts of the plant. It is responsible for replacing water lost through transpiration and photosynthesis. Phloem translocates sugars made by photosynthetic areas of plants to storage organs like roots, tubers or bulbs.", "id": "28"}} +{"put": "id:msmarco:passage::29", "fields": {"text": "At this time the Industrial Workers of the World had a membership of over 100,000 members. In 1913 William Haywood replaced Vincent Saint John as secretary-treasurer of the Industrial Workers of the World. By this time, the IWW had 100,000 members.", "id": "29"}} +{"put": "id:msmarco:passage::30", "fields": {"text": "This was not true of the Industrial Workers of the World and as a result many of its members were first and second generation immigrants. Several immigrants such as Mary 'Mother' Jones, Hubert Harrison, Carlo Tresca, Arturo Giovannitti and Joe Haaglund Hill became leaders of the organization.", "id": "30"}} +{"put": "id:msmarco:passage::31", "fields": {"text": "Chinese Immigration and the Chinese Exclusion Acts. In the 1850s, Chinese workers migrated to the United States, first to work in the gold mines, but also to take agricultural jobs, and factory work, especially in the garment industry.", "id": "31"}} +{"put": "id:msmarco:passage::32", "fields": {"text": "The Rise of Industrial America, 1877-1900. When in 1873 Mark Twain and Charles Dudley Warner entitled their co-authored novel The Gilded Age, they gave the late nineteenth century its popular name. The term reflected the combination of outward wealth and dazzle with inner corruption and poverty.", "id": "32"}} +{"put": "id:msmarco:passage::33", "fields": {"text": "American objections to Chinese immigration took many forms, and generally stemmed from economic and cultural tensions, as well as ethnic discrimination. Most Chinese laborers who came to the United States did so in order to send money back to China to support their families there.", "id": "33"}} +{"put": "id:msmarco:passage::34", "fields": {"text": "The rise of industrial America, the dominance of wage labor, and the growth of cities represented perhaps the greatest changes of the period. Few Americans at the end of the Civil War had anticipated the rapid rise of American industry.", "id": "34"}} +{"put": "id:msmarco:passage::35", "fields": {"text": "The resulting Angell Treaty permitted the United States to restrict, but not completely prohibit, Chinese immigration. In 1882, Congress passed the Chinese Exclusion Act, which, per the terms of the Angell Treaty, suspended the immigration of Chinese laborers (skilled or unskilled) for a period of 10 years.", "id": "35"}} +{"put": "id:msmarco:passage::36", "fields": {"text": "Industrial Workers of the World. In 1905 representatives of 43 groups who opposed the policies of American Federation of Labour, formed the radical labour organisation, the Industrial Workers of the World (IWW). The IWW's goal was to promote worker solidarity in the revolutionary struggle to overthrow the employing class.", "id": "36"}} +{"put": "id:msmarco:passage::37", "fields": {"text": "The railroads powered the industrial economy. They consumed the majority of iron and steel produced in the United States before 1890. As late as 1882, steel rails accounted for 90 percent of the steel production in the United States. They were the nation\u2019s largest consumer of lumber and a major consumer of coal.", "id": "37"}} +{"put": "id:msmarco:passage::38", "fields": {"text": "This finally resulted in legislation that aimed to limit future immigration of Chinese workers to the United States, and threatened to sour diplomatic relations between the United States and China.", "id": "38"}} +{"put": "id:msmarco:passage::39", "fields": {"text": "Costa Rica is known as a prime Eco-tourism destination so visitors are assured of majestic views, amazing destination spots and a temperate climate. These factors assure medical tourists of an excellent vacation experience that is conducive for recovery and relaxation.", "id": "39"}} +{"put": "id:msmarco:passage::40", "fields": {"text": "Medical Tours Costa Rica: Medical Tourism Made Easy! \u201cNo Other Firm Has Helped More Patients. Receive Care Over the Last 15 Years\u201d", "id": "40"}} +{"put": "id:msmarco:passage::41", "fields": {"text": "Medical Tours Costa Rica difference: At MTCR, our aim is to become your \u201cone-stop shop\u201d for health care services, so we have put together packages with you, the medical tourist, in mind, offering a wide variety of specialties.", "id": "41"}} +{"put": "id:msmarco:passage::42", "fields": {"text": "Cost of Medical Treatment in Costa Rica. The following are cost comparisons between Medical procedures in Costa Rica and equivalent procedures in the United States: [sources: 1,2]", "id": "42"}} +{"put": "id:msmarco:passage::43", "fields": {"text": "Common Treatments done by Medical Tourists in Costa Rica. Known initially for its excellent dental surgery services, medical tourism in Costa Rica has spread to a variety of other medical procedures, including: General and cosmetic dentistry; Cosmetic surgery; Aesthetic procedures (botox, skin resurfacing etc) Bariatric and Laparoscopic surgery", "id": "43"}} +{"put": "id:msmarco:passage::44", "fields": {"text": "Medical Tours costa Rica office remains within the hospital and the Cook brothers 15 year relationship running the hospital\u2019s insurance office and seven years running the international patient department serves you the client very well.", "id": "44"}} +{"put": "id:msmarco:passage::45", "fields": {"text": "About us. Medical Tours Costa Rica has helped thousands of patients and are the innovators in medical travel to Costa Rica. Brad and Bill Cook are visionaries that saw the writing on the wall while running the International insurance office for Costa Rica\u2019s busiest and most respected hospital The Clinica Biblica.", "id": "45"}} +{"put": "id:msmarco:passage::46", "fields": {"text": "In an era of rising health care costs and decreased medical coverage, the concept of combining surgery with travel has taken off. The last decade has seen a boom in the health tourism sector in Costa Rica, especially in the area of plastic surgery.", "id": "46"}} +{"put": "id:msmarco:passage::47", "fields": {"text": "The World Bank ranked Costa Rica as having the highest life expectancy, at 78.7 years. This figure is the highest amongst all countries in Latin America, and is equivalent to the level in Canada and higher than the United States by a year. Top Hospitals for Medical Tourism in Costa Rica", "id": "47"}} +{"put": "id:msmarco:passage::48", "fields": {"text": "Over the last decade, Costa Rica has evolved from being a mere eco-tourism destination and emerged as a country of choice for foreigners, particularly from United States and Canada. These seek quality healthcare services and surgeries at a much lower price than their home countries.", "id": "48"}} +{"put": "id:msmarco:passage::49", "fields": {"text": "Color\u2014urine can be a variety of colors, most often shades of yellow, from very pale or colorless to very dark or amber. Unusual or abnormal urine colors can be the result of a disease process, several medications (e.g., multivitamins can turn urine bright yellow), or the result of eating certain foods.", "id": "49"}} +{"put": "id:msmarco:passage::50", "fields": {"text": "I had 3 cups of coffee and a red bull today all in 4 hours. The first time I urinated, it was an amber color. Then I got worried and drank a lot of water and now my urine is back to normal (light yellow). This only happened once after drinking all that caffeine. Related Topics: Coffee, Urination, Drinking, Caffeine.", "id": "50"}} +{"put": "id:msmarco:passage::51", "fields": {"text": "During the visual examination of the urine, the laboratorian observes the urine's color and clarity. These can be signs of what substances may be present in the urine. They are interpreted in conjunction with results obtained during the chemical and microscopic examinations to confirm what substances are present.", "id": "51"}} +{"put": "id:msmarco:passage::52", "fields": {"text": "But the basic details of your urine -- color, smell, and how often you go -- can give you a hint about what\u2019s going on inside your body. Pee is your body\u2019s liquid waste, mainly made of water, salt, and chemicals called urea and uric acid. Your kidneys make it when they filter toxins and other bad stuff from your blood.", "id": "52"}} +{"put": "id:msmarco:passage::53", "fields": {"text": "However, red-colored urine can also occur when blood is present in the urine and can be an indicator of disease or damage to some part of the urinary system. Another example is yellow-brown or greenish-brown urine that may be a sign of bilirubin in the urine (see The Chemical Examination section).", "id": "53"}} +{"put": "id:msmarco:passage::54", "fields": {"text": "The shade, light or dark, also changes. If it has no color at all, that may be because you\u2019ve been drinking a lot of water or taking a drug called a diuretic, which helps your body get rid of fluid. Very dark honey- or brown-colored urine could be a sign that you\u2019re dehydrated and need to get more fluids right away.", "id": "54"}} +{"put": "id:msmarco:passage::55", "fields": {"text": "A good rule of thumb is the darker your urine, the more water you need to drink. And if your urine is any other color besides a various shade of yellow (which we\u2019ll get into down below) something may be wrong.", "id": "55"}} +{"put": "id:msmarco:passage::56", "fields": {"text": "Color, density, and smell can reveal health problems. Human urine has been a useful tool of diagnosis since the earliest days of medicine. The color, density, and smell of urine can reveal much about the state of our health. Here, for starters, are some of the things you can tell from the hue of your liquid excreta. Advertising Policy.", "id": "56"}} +{"put": "id:msmarco:passage::57", "fields": {"text": "More concentrated urine in the bladder can be darker. As long as your urine returned to a more-normal, light yellow color after you drank more water, there is no need to be concerned.", "id": "57"}} +{"put": "id:msmarco:passage::58", "fields": {"text": "The color, density, and smell of urine can reveal much about the state of our health. Here, for starters, are some of the things you can tell from the hue of your liquid excreta. Cleveland Clinic is a non-profit academic medical center. Advertising on our site helps support our mission.", "id": "58"}} +{"put": "id:msmarco:passage::59", "fields": {"text": "The most common cause for liver transplantation in adults is cirrhosis caused by various types of liver injuries such as infections (hepatitis B and C), alcohol, autoimmune liver diseases, early\u2010stage liver cancer, metabolic and hereditary disorders, but also diseases of unknown aetiology.ombination therapy of ursodeoxycholic acid and corticosteroids for primary biliary cirrhosis with features of autoimmune hepatitis: a meta-analysis. A meta-analysis was performed of RCTs comparing therapies that combine UDCA and corticosteroids with UDCA monotherapy.", "id": "59"}} +{"put": "id:msmarco:passage::60", "fields": {"text": "Inborn errors of bile acid synthesis can produce life-threatening cholestatic liver disease (which usually presents in infancy) and progressive neurological disease presenting later in childhood or in adult life.he neurological presentation often includes signs of upper motor neurone damage (spastic paraparesis). The most useful screening test for many of these disorders is analysis of urinary cholanoids (bile acids and bile alcohols); this is usually now achieved by electrospray ionisation tandem mass spectrometry.", "id": "60"}} +{"put": "id:msmarco:passage::61", "fields": {"text": "Autoimmune liver disease and thyroid disease. Autoimmune disorders, including autoimmune thyroid disorders, occur in up to 34% of patients with autoimmune hepatitis. The presence of these disorders is associated with female sex, older age and certain human leukocyte antigens (HLAs).he liver might also be affected in patients with the genetic autoimmune disease, polyglandular autoimmune syndrome, which affects the thyroid gland. This interaction again demonstrates crosstalk between autoimmune disturbances in the thyroid system and the liver.", "id": "61"}} +{"put": "id:msmarco:passage::62", "fields": {"text": "Primary biliary cirrhosis, or PBC, is a chronic, or long-term, disease of the liver that slowly destroys the medium-sized bile ducts within the liver. Bile is a digestive liquid that is made in the liver. It travels through the bile ducts to the small intestine, where it helps digest fats and fatty vitamins.In patients with PBC, the bile ducts are destroyed by inflammation. This causes bile to remain in the liver, where gradual injury damages liver cells and causes cirrhosis, or scarring of the liver.As cirrhosis progresses and the amount of scar tissue in the liver increases, the liver loses its ability to function.t travels through the bile ducts to the small intestine, where it helps digest fats and fatty vitamins. In patients with PBC, the bile ducts are destroyed by inflammation. This causes bile to remain in the liver, where gradual injury damages liver cells and causes cirrhosis, or scarring of the liver.", "id": "62"}} +{"put": "id:msmarco:passage::63", "fields": {"text": "Hepatitis B and C, alcoholism, hemochromatosis, and primary biliary cirrhosis -- all causes of cirrhosis -- are some of the major risk factors for liver cancer. Cirrhosis due to hepatitis C is the leading cause of hepatocellular carcinoma in the United States.rimary Biliary Cirrhosis. Up to 95% of primary biliary cirrhosis (PBC) cases occur in women, usually around age 50. In people with PBC, the immune system attacks and destroys cells in the liver\u2019s bile ducts. Like many autoimmune disorders, the causes of PBC are unknown.", "id": "63"}} +{"put": "id:msmarco:passage::64", "fields": {"text": "The disorders of peroxisome biogenesis and peroxisomal \u03b2-oxidation that affect bile acid synthesis will be covered in the review by Ferdinandusse et al.he neurological presentation often includes signs of upper motor neurone damage (spastic paraparesis). The most useful screening test for many of these disorders is analysis of urinary cholanoids (bile acids and bile alcohols); this is usually now achieved by electrospray ionisation tandem mass spectrometry.", "id": "64"}} +{"put": "id:msmarco:passage::65", "fields": {"text": "The neurological presentation often includes signs of upper motor neurone damage (spastic paraparesis). The most useful screening test for many of these disorders is analysis of urinary cholanoids (bile acids and bile alcohols); this is usually now achieved by electrospray ionisation tandem mass spectrometry.he neurological presentation often includes signs of upper motor neurone damage (spastic paraparesis). The most useful screening test for many of these disorders is analysis of urinary cholanoids (bile acids and bile alcohols); this is usually now achieved by electrospray ionisation tandem mass spectrometry.", "id": "65"}} +{"put": "id:msmarco:passage::66", "fields": {"text": "Autoimmune Hepatitis. A liver disease in which the body's immune system damages liver cells for unknown reasons. PubMed Health Glossary. (Source: NIH-National Institute of Diabetes and Digestive and Kidney Diseases).ombination therapy of ursodeoxycholic acid and corticosteroids for primary biliary cirrhosis with features of autoimmune hepatitis: a meta-analysis. A meta-analysis was performed of RCTs comparing therapies that combine UDCA and corticosteroids with UDCA monotherapy.", "id": "66"}} +{"put": "id:msmarco:passage::67", "fields": {"text": "1 itchiness (pruritus). 2 Pruritus is the primary symptom of cholestasis and is thought to be due to interactions of serum bile acids with opioidergic nerves. 3 In fact, the opioid antagonist naltrexone is used to treat pruritus due to cholestasis.ile is secreted by the liver to aid in the digestion of fats. Bile formation begins in bile canaliculi that form between two adjacent surfaces of liver cells (hepatocytes) similar to the terminal branches of a tree.", "id": "67"}} +{"put": "id:msmarco:passage::68", "fields": {"text": "Primary Biliary Cirrhosis. Up to 95% of primary biliary cirrhosis (PBC) cases occur in women, usually around age 50. In people with PBC, the immune system attacks and destroys cells in the liver\u2019s bile ducts. Like many autoimmune disorders, the causes of PBC are unknown.rimary Biliary Cirrhosis. Up to 95% of primary biliary cirrhosis (PBC) cases occur in women, usually around age 50. In people with PBC, the immune system attacks and destroys cells in the liver\u2019s bile ducts. Like many autoimmune disorders, the causes of PBC are unknown.", "id": "68"}} +{"put": "id:msmarco:passage::69", "fields": {"text": "However, a major motive with people today wanting to use the barley harvest to determine the start of the year is to justify starting the year AS EARLY AS POSSIBLE, frequently even before the end of winter. That is in fact the opposite of what the Talmud records the leaders of the Sanhedrin occasionally doing ...", "id": "69"}} +{"put": "id:msmarco:passage::70", "fields": {"text": "Some people claim that the timing of the barley harvest in Israel should be the deciding factor as to when to start the new year for determining the observance of God's annual Feasts and Holy Days.", "id": "70"}} +{"put": "id:msmarco:passage::71", "fields": {"text": "Barley (Hordeum vulgare L.), a member of the grass family, is a major cereal grain. It was one of the first cultivated grains and is now grown widely. Barley grain is a staple in Tibetan cuisine and was eaten widely by peasants in Medieval Europe. Barley has also 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.", "id": "71"}} +{"put": "id:msmarco:passage::72", "fields": {"text": "The state of the barley harvest could PERHAPS cause the start of a year to be postponed to THE FOLLOWING NEW MOON (thereby giving the previous year a 13th month), but the state of the barley harvest could NEVER DETERMINE THAT AN EARLIER NEW MOON SHOULD BE USED TO START THE YEAR!", "id": "72"}} +{"put": "id:msmarco:passage::73", "fields": {"text": "The grape harvest was usually completed before Tabernacles, but most of the olive harvest came after the autumn festivals. In ancient Israel the primary harvest season extended from April to November. This harvest period might be subdivided into three seasons and three major crops: the spring grain harvest, the summer grape harvest and the autumn olive harvest.", "id": "73"}} +{"put": "id:msmarco:passage::74", "fields": {"text": "Barley is not as cold tolerant as the winter wheats (Triticum aestivum), fall rye (Secale cereale) or winter triticale (\u00d7 Triticosecale Wittm. ex A. Camus.), but may be sown as a winter crop in warmer areas of Australia and Great Britain. Barley has a short growing season and is also relatively drought tolerant.", "id": "74"}} +{"put": "id:msmarco:passage::75", "fields": {"text": "\u201cWheat ripens later than barley and, according to the Gezer Manual, was harvested during the sixth agricultural season, yrh qsr wkl (end of April to end of May)\u201d (page 88; also see the chart on page 37 of Borowski\u2019s book, reproduced below).", "id": "75"}} +{"put": "id:msmarco:passage::76", "fields": {"text": "That claim is obviously not correct. God did not hinge the start of a new year on the state of the barley crop, even if on occasions in the first and second centuries A.D. the pharisaical leaders of the Sanhedrin in Jerusalem decided to use the state of the barley harvest to start a new year one new moon later.", "id": "76"}} +{"put": "id:msmarco:passage::77", "fields": {"text": "Barley is always sown in the autumn, after the early rains, and the barley harvest, which for any given locality precedes the wheat harvest (Exodus 9:31 f), begins near Jericho in April--or even March--but in the hill country of Palestine is not concluded until the end of May or beginning of June.", "id": "77"}} +{"put": "id:msmarco:passage::78", "fields": {"text": "Pentecost, near the end of the grain harvest, included grain and loaf offerings (verses 16-17). Pentecost was also called \u201cthe Feast of Harvest\u201d (Exodus 23:16). Barley and wheat were planted in the autumn and ripened in spring. Barley matured faster and would be harvested sooner. The firstfruits of grain offered during the Festival of Unleavened Bread would have been barley.", "id": "78"}} +{"put": "id:msmarco:passage::79", "fields": {"text": "There are however some very serious illnesses that can cause this pain in left side under ribs. These would include pneumothorax, pancreatitis, and dissection of the abdominal aorta. It could also be a spleen disorder, kidney stones, or pericardritis (inflammation of the heart sac).", "id": "79"}} +{"put": "id:msmarco:passage::80", "fields": {"text": "Pancreatitis is an inflammation of the pancreas and can be caused by eating very fatty foods. If the left side pain under ribs is caused by a dissection of the abdominal aorta, your life is in immediate danger. Dying from an internal hemorrhage is the major risk involved in this situation.", "id": "80"}} +{"put": "id:msmarco:passage::81", "fields": {"text": "What organs are on your left side of body. Causes of Pain under Left Rib Cage. Here are just some of the possible reasons why you may be feeling pain under your left rib cage: Gas Stuck in the Colon \u2013 There is a chance that you have gas stuck in your colon. The amount of gas that is stuck may be excessive.", "id": "81"}} +{"put": "id:msmarco:passage::82", "fields": {"text": "For the individual bones, see Rib. For ribs of animals as food, see Ribs (food). For other uses, see Rib (disambiguation). The rib cage is an arrangement of bones in the thorax of all vertebrates except the lamprey and the frog. It is formed by the vertebral column, ribs, and sternum and encloses the heart and lungs.", "id": "82"}} +{"put": "id:msmarco:passage::83", "fields": {"text": "If the lower set of ribs on the right side of the rib cage get damaged due to an injury, then one is likely to experience a sharp pain under the right rib cage. If the pain worsens when one tries to bend or twist the body, then an X-ray examination should be conducted to study the extent of damage to the ribs.", "id": "83"}} +{"put": "id:msmarco:passage::84", "fields": {"text": "Vital organs such as heart and lungs are protected by the rib cage. Under the rib cage lie many organs that form a part of the abdomen. Most of the organs that lie in the abdominal region are a part of the digestive system. These include the liver, gallbladder, kidneys, pancreas, spleen, stomach, small intestine and the large intestine.", "id": "84"}} +{"put": "id:msmarco:passage::85", "fields": {"text": "The only organs contained in the chest cavity are the lungs and the heart. Obviously, one of the lungs is under the left rib cage, and then the heart is also found here. The o\u2026nly other part of the chest cavity to be noted would be the diaphragm, which aids a person's breathing. 4 people found this useful.", "id": "85"}} +{"put": "id:msmarco:passage::86", "fields": {"text": "Usually, you can feel the pain reverberating from the upper portion of the left side of your abdomen towards the left side of your ribcage. Irritation on the Spleen \u2013 There is a chance that your spleen has already ruptured because of various reasons and this can cause some pains on the left rib cage.", "id": "86"}} +{"put": "id:msmarco:passage::87", "fields": {"text": "Each rib consists of a head, neck, and a shaft, and they are numbered from top to bottom. The head of rib is the end part closest to the spine with which it articulates. It is marked by a kidney-shaped articular surface which is divided by a horizontal crest into two facets.", "id": "87"}} +{"put": "id:msmarco:passage::88", "fields": {"text": "With either of these there is a fairly simple medication treatment. There is also the possibility that gas is caught in the colon. This is even less serious that acid reflux and does not require medication to resolve it. Sharp pain left side under ribs might come from a condition called costochondritis.", "id": "88"}} +{"put": "id:msmarco:passage::89", "fields": {"text": "1 COMMERCIAL CONCRETE. Since 1981, Wheeler Services, Inc has handled commercial concrete projects such as Medical offices, Auto plants, Commercial buildings, Retail buildings, Colleges, Manufacturing Plants, Restaurants, Churches, Our areas of service include Georgia, Alabama, North Carolina and South Carolina.", "id": "89"}} +{"put": "id:msmarco:passage::90", "fields": {"text": "Lendmark Financial Services, LLC Steve was named Chief Credit Officer of Lendmark Financial Services, LLC in January 2016. In his current role, Steve oversees the credit philosophy and manages both the short and long-term credit strategy for Lendmark.", "id": "90"}} +{"put": "id:msmarco:passage::91", "fields": {"text": "Wheeler Services, Inc. is a commercial contractor specialized in building concrete structures such as foundations, slabs on grade,elevated decks, retaining walls, heavy duty paving, hardscaping,staircases, and storm water management structures. Additionally, its commercial and residential landscaping division has been in business since 1981.", "id": "91"}} +{"put": "id:msmarco:passage::92", "fields": {"text": "Dr. Wheeler graduated from the Latvian Med Academy, Riga, Latvia (fn: 594 01) in 1977. She works in Crisfield, MD and 1 other location and specializes in Emergency Medicine. Dr. Wheeler is affiliated with Atlantic General Hospital, McCready Foundation and Peninsula Regional Medical Center. Experience Years Experience: 41", "id": "92"}} +{"put": "id:msmarco:passage::93", "fields": {"text": "With over 20 years of experience in the financial services industry, Steve has extensive expertise in consumer finance risk management and compliance, operational risk management, and securitization and funding strategy.", "id": "93"}} +{"put": "id:msmarco:passage::94", "fields": {"text": "Steve Wheeler was recently named Chief Credit Officer for Lendmark Financial Services, LLC. Click to learn more about Steve Wheeler.", "id": "94"}} +{"put": "id:msmarco:passage::95", "fields": {"text": "Dr. Wheeler's Education & Training. Medical School Latvian Med Academy, Riga, Latvia (fn: 594 01); Graduated 1977", "id": "95"}} +{"put": "id:msmarco:passage::96", "fields": {"text": "He holds a Bachelor of Arts degree in American Legal and Constitutional History from the University of Minnesota where he was a member of Phi Beta Kappa. Steve is also a proud veteran who served in the U.S. Army and U.S. Army Reserves. \u00a92017 Lendmark Financial Services, LLC. Steve was named Chief Credit Officer of Lendmark Financial Services, LLC in January 2016. In his current role, Steve oversees the credit philosophy and manages both the short and long-term credit strategy for Lendmark.", "id": "96"}} +{"put": "id:msmarco:passage::97", "fields": {"text": "Dr. Wheeler's Accepted Insurance. Please verify insurance information directly with your doctor's office as it may change frequently. Not Available; Dr. Wheeler's Office Information & Appointments", "id": "97"}} +{"put": "id:msmarco:passage::98", "fields": {"text": "Wheeler Services is licensed in the Georgia, Alabama, North Carolina, South Carolina, and Tennessee. Wheeler Services, Inc. is a commercial contractor specialized in building concrete structures such as foundations, slabs on grade, elevated decks, retaining walls, heavy duty paving, hardscaping, staircases, and storm water management structures.", "id": "98"}} +{"put": "id:msmarco:passage::99", "fields": {"text": "(1841 - 1904) Contrary to legend, Anton\u00edn Dvo\u0159\u00e1k (September 8, 1841 - May 1, 1904) was not born in poverty. His father was an innkeeper and butcher, as well as an amateur musician. The father not only put no obstacles in the way of his son's pursuit of a musical career, he and his wife positively encouraged the boy.", "id": "99"}} +{"put": "id:msmarco:passage::100", "fields": {"text": "Anton\u00edn Dvor\u00e1k (1841\u20131904) Antonin Dvorak was a son of butcher, but he did not follow his father's trade. While assisting his father part-time, he studied music, and graduated from the Prague Organ School in 1859.", "id": "100"}} +{"put": "id:msmarco:passage::101", "fields": {"text": "Anton\u00edn Dvo\u0159\u00e1k, in full Anton\u00edn Leopold Dvo\u0159\u00e1k (born September 8, 1841, Nelahozeves, Bohemia, Austrian Empire [now in Czech Republic]\u2014died May 1, 1904, Prague), first Bohemian composer to achieve worldwide recognition, noted for turning folk material into the language of 19th-century Romantic music.", "id": "101"}} +{"put": "id:msmarco:passage::102", "fields": {"text": "Anton\u00edn Dvo\u0159\u00e1k Biography (BBC) The Bohemia into which Dvor\u00e1k was born on 8 September 1841, in a village near Prague, was one facing rapid change. Like many from a poor rural environment Dvor\u00e1k followed a natural drift towards Prague. Dvor\u00e1k\u2019s musicality was evident early on and his family supported him all through his musical training.", "id": "102"}} +{"put": "id:msmarco:passage::103", "fields": {"text": "Jump to: Overview (4) | Mini Bio (1) | Spouse (1) | Trivia (5) Antonin Dvorak was a son of butcher, but he did not follow his father's trade. While assisting his father part-time, he studied music, and graduated from the Prague Organ School in 1859.", "id": "103"}} +{"put": "id:msmarco:passage::104", "fields": {"text": "(1841-1904). A 19th-century Bohemian composer, Antonin Dvorak was noted for adapting traditional folk music into opera, symphony, and piano pieces. The From the New World symphony, his best-known work, is thought to be based partly on the spirituals of African American slaves.", "id": "104"}} +{"put": "id:msmarco:passage::105", "fields": {"text": "Dvorak Quick Facts: 1 Johannes Brahms once wrote a letter praising and exalting Dvorak\u2019s music; they later became great friends. 2 After moving to America in 1892, Dvorak spent his summer vacation in the small town of Spillville, Iowa in 1893, because of it\u2019s mainly Czech population.", "id": "105"}} +{"put": "id:msmarco:passage::106", "fields": {"text": "The region is home to the village of Nelahozeves, where the composer\u2019s grandparents lived from the year 1818. Antonin Dvorak (in full Antonin Leopold Dvorak) was born here on 8 September 1841 to Anna and Frantisek Dvorak, as the first of nine children. The family ran a business in house number 12, a cottage that had an inn on the ground floor.", "id": "106"}} +{"put": "id:msmarco:passage::107", "fields": {"text": "Soundtrack | Composer | Music Department. Antonin Dvorak was a son of butcher, but he did not follow his father's trade. While assisting his father part-time, he studied music, and graduated from the Prague Organ School in 1859.", "id": "107"}} +{"put": "id:msmarco:passage::108", "fields": {"text": "Mini Bio (1) Antonin Dvorak was a son of butcher, but he did not follow his father's trade. While assisting his father part-time, he studied music, and graduated from the Prague Organ School in 1859. He also was an accomplished violinist and violist, and joined the Bohemian Theatre Orchestra, which was under the baton of Bedrich Smetana in 1860s.", "id": "108"}} +{"put": "id:msmarco:passage::109", "fields": {"text": "No Social Security COLA for senior citizens in 2016 seems certain as do Medicare hikes. Means problems for Medicare: Part B premiums cannot increase for most , so minority has to bear burden of rising costs - Oct. 8, 2015.", "id": "109"}} +{"put": "id:msmarco:passage::110", "fields": {"text": "Typical expenses continue to outpace annual benefit hikes. Social Security benefits are likely to increase by 1.7% in 2015, slightly more than this year's 1.5% increase but still well below average increases over the past few decades, according to an unofficial projection by the Senior Citizens League.", "id": "110"}} +{"put": "id:msmarco:passage::111", "fields": {"text": "Obviously, the fact that Social Security benefits didn't rise from a cost of living adjustment in 2016 was bad news for retirees who rely on their monthly checks for a big part of their overall income.", "id": "111"}} +{"put": "id:msmarco:passage::112", "fields": {"text": "Oct. 15, 2015 \u2013 Here is what the Social Security Administration has to say about the cost-of-living adjustment (COLA) next year for senior citizens and others in the program: \u201cWith consumer prices down over the past year, monthly Social Security and Supplemental Security Income (SSI) benefits for nearly 65 million Americans will not automatically ...", "id": "112"}} +{"put": "id:msmarco:passage::113", "fields": {"text": "Social Security recipients to get small increase. The average recipient of Social Security will receive a slight increase in benefits in 2017, according to projections released Wednesday. The trustees also projected that Medicare's Hospital Insurance trust fund will run out of money earlier than previously predicted.", "id": "113"}} +{"put": "id:msmarco:passage::114", "fields": {"text": "The earnings limit for people turning 66 in 2016 will stay at $41,880. (We deduct $1 from benefits for each $3 earned over $41,880 until the month the worker turns age 66.) There is no limit on earnings for workers who are full retirement age or older for the entire year.", "id": "114"}} +{"put": "id:msmarco:passage::115", "fields": {"text": "Oct 1, 2014 @ 1:02 pm. + Zoom. Social Security benefits are likely to increase by 1.7% in 2015, slightly more than this year's 1.5% increase but still well below average increases over the past few decades, according to an unofficial projection by the Senior Citizens League.", "id": "115"}} +{"put": "id:msmarco:passage::116", "fields": {"text": "The small increase in Social Security next year \u2014 which equals an extra $2 for someone getting a $1,000 monthly check \u2014 would come after retirees got no increase in Social Security benefits in 2016 for the third time in four decades.The final COLA figure is typically not determined until the fall.", "id": "116"}} +{"put": "id:msmarco:passage::117", "fields": {"text": "The estimated average monthly premium for Medicare Part B in 2017 is $149, up from 2016's rate of $121.80 and 2015's rate of $104.90. About 70% of Part B enrollees will be able to avoid the portion of the premium increase that exceeds their Social Security benefit increase, according to the health-insurance report.", "id": "117"}} +{"put": "id:msmarco:passage::118", "fields": {"text": "Don't Expect a Big Social Security Increase in 2017, Either. Recipients got no benefit increase in 2016, and next year will be challenging as well. Oct 25, 2015 at 8:00AM.", "id": "118"}} +{"put": "id:msmarco:passage::119", "fields": {"text": "If you\u2019re looking for a condo for sale in this Montreal area, you\u2019ll have your hands full with the culture, the food, and the laidback attitude of Villeray. Condos for Sale in NDG. Notre-Dame-de-Gr\u00e2ce, or NDG as the locals call it, is one of the more English-speaking neighbourhoods of Montreal.", "id": "119"}} +{"put": "id:msmarco:passage::120", "fields": {"text": "DuProprio offers you the best exposure and the support of an entire team so you can sell your property and save thousands! *In British Columbia, Saskatchewan and Quebec, the services are provided to private sellers through a for-sale-by-owner model. In Alberta, Ontario and Manitoba, the services to homeowners are provided by ComFree Commonsense Network, a brokerage duly registered in each of those three provinces under the applicable real estate legislations.", "id": "120"}} +{"put": "id:msmarco:passage::121", "fields": {"text": "Condo Old Montreal - Compare all new condominiums for sale in Old Montreal, Island of Montreal. Vieux-Montral, Montral, QC, Canada.", "id": "121"}} +{"put": "id:msmarco:passage::122", "fields": {"text": "Vida LaSalle is a project of 100 townhouses and 200 condos in LaSalle. The first phase of condos has 42 studio, one and two bedroom (... ) The Adamus project proposes its first phase of 24 new condos for sale in Beaconsfield. The units, spread across a 4-storey (...", "id": "122"}} +{"put": "id:msmarco:passage::123", "fields": {"text": "With a number of condo developments springing up in the city, it can be difficult to narrow down your choices for the perfect Montreal condo for sale. Our skilled agents organize your steps towards meeting your goals with our condo projects located in popular and trendy neighbourhoods.", "id": "123"}} +{"put": "id:msmarco:passage::124", "fields": {"text": "In the heart of Old Montreal, intimate project of 42 contemporary condos with a customized design for each unit, inspired by the (... ) In Ville-Marie, the Montcalm project by Samcon consists of 109 condominiums ranging from 490 to 1,025 sq.ft, each granted (...", "id": "124"}} +{"put": "id:msmarco:passage::125", "fields": {"text": "District Griffin is one of the first of the super condo buidings to be finished in the Griffintown area. Aptly named for is location at the bottom of Peel street, District Griffin has some 350 condo units, many of which are now for sale and for rent. The growning amenities in the area make it an interesting investment.", "id": "125"}} +{"put": "id:msmarco:passage::126", "fields": {"text": "If you\u2019re looking for a condo for sale in this Montreal area, you\u2019ll have your hands full with the culture, the food, and the laidback attitude of Villeray. Notre-Dame-de-Gr\u00e2ce, or NDG as the locals call it, is one of the more English-speaking neighbourhoods of Montreal.", "id": "126"}} +{"put": "id:msmarco:passage::127", "fields": {"text": "Real Estate, Condos, Lofts, Homes, Apartments, for sale, for rent, to buy, Selling, Buying Renting, New Construction, New Build, Resale, New Condos, Resale Condos in Downtown Montreal, RE/MAX Action, Downtown Realty Team, Alex Kay, Charles La Haye, Michael Martin, #downtownrealtyteam, #downtown4sale, Real Estate Brokers Specialising in Downtown ...", "id": "127"}} +{"put": "id:msmarco:passage::128", "fields": {"text": "Le Bossuet is an 8 condo construction project for sale in Hochelagua-Maisonneuve neighbourhood (HoMa). Each unit is granted (... ) The 3430 Masson is a condo construction project for sale in Rosemont neighborhood, in Montreal. This three storey building (... ) Constructions Diego presents Rosemont Condominiums, a condo project for sale featuring 7 units of 2 or 3 bedrooms, with living areas (...", "id": "128"}} +{"put": "id:msmarco:passage::129", "fields": {"text": "Swinging Flashlight Test: Swing a light back and forth in front of the two pupils and compare the reaction to stimulation in both eyes. When light reaches a pupil there should be a normal direct and consensual response.", "id": "129"}} +{"put": "id:msmarco:passage::130", "fields": {"text": "Pupillary reflex. In medicine, there are two pupillary reflexes 1 -. The pupillary light reflex is the reduction of pupil size in response to light. 2 The pupillary accommodation reflex is the reduction of pupil size in response to an object coming close to the eye.", "id": "130"}} +{"put": "id:msmarco:passage::131", "fields": {"text": "1 The pupillary light reflex is the reduction of pupil size in response to light. 2 The pupillary accommodation reflex is the reduction of pupil size in response to an object coming close to the eye.", "id": "131"}} +{"put": "id:msmarco:passage::132", "fields": {"text": "normal pupillary reflex response. Pupils equal and responsive , is a common phrase used in various emergency or hospital television series. The pupil should respond by getting smaller caused by the contraction of the constrictor muscles in the iris.", "id": "132"}} +{"put": "id:msmarco:passage::133", "fields": {"text": "An RAPD is a defect in the direct response. It is due to damage in optic nerve or severe retinal disease. It is important to be able to differentiate whether a patient is complaining of decreased vision from an ocular problem such as cataract or from a defect of the optic nerve.", "id": "133"}} +{"put": "id:msmarco:passage::134", "fields": {"text": "abnormal pupillary reflex means. If this doesn't happen, it could mean that either the retina or optic nerve is damaged, or the visceromotor output pathway from the oculomotor nerve is not working. This type of response indicates ipsilateral issues.", "id": "134"}} +{"put": "id:msmarco:passage::135", "fields": {"text": "The physiology behind a normal pupillary constriction is a balance between the sympathetic and parasympathetic nervous systems. Parasympathetic innervation leads to pupillary constriction. A circular muscle called the sphincter pupillae accomplishes this task. The fibers of the sphincter pupillae encompass the pupil.", "id": "135"}} +{"put": "id:msmarco:passage::136", "fields": {"text": "1. These are the pupillary reflexes mediated through the parasympathetic division of the autonomic nervous system; 2. the ciliospinal reflex which tests pupillary responses mediated through the sympathetic division of the autonomic nervous system, and 3. the salivary reflex which is also parasympathetic.", "id": "136"}} +{"put": "id:msmarco:passage::137", "fields": {"text": "1 Swing a light back and forth in front of the two pupils and compare the reaction to stimulation in both eyes. 2 When light reaches a pupil there should be a normal direct and consensual response.", "id": "137"}} +{"put": "id:msmarco:passage::138", "fields": {"text": "1 When performing a pupillary exam, it sometimes helps to illuminate pupils indirectly from the side, so you can actually see what is happening. 2 Observe the pupil size and shape at rest, looking for anisocoria (one pupil larger than the other). 3 Observe the direct response (constriction of the illuminated pupil).", "id": "138"}} +{"put": "id:msmarco:passage::139", "fields": {"text": "There is no Census data for the city of KESWICK, VA. We have pulled information for the ZIP Code 22947 instead.", "id": "139"}} +{"put": "id:msmarco:passage::140", "fields": {"text": "Charlottesville, VA: CBSA Type: Metro: CBSA Division: CBSA Division Name: CBSA Population: 201,559: CBSA Division Population: 0: MSA: 1540: MSA Name: Charlottesville, VA MSA: PMSA: PMSA Name: City State Key: X26934: Preferred Last Line Key: X26934", "id": "140"}} +{"put": "id:msmarco:passage::141", "fields": {"text": "If the ratio of the TDP to Total Population is greater than 1, the location gains population during the day when commuting workers are present. If the ratio is less than 1, the location is more of a bedroom community where people commute to another place for work. Population Density = Total Population per square mile.", "id": "141"}} +{"put": "id:msmarco:passage::142", "fields": {"text": "Zip Code 22947 - Keswick VA Virginia, USA - Albemarle County Home | Products | Learn About ZIP Codes | Find a Post Office | Search | Contact | FAQs keswick, va 22947", "id": "142"}} +{"put": "id:msmarco:passage::143", "fields": {"text": "* Demographic data is based on information taken from the 2000 Census. City of Keswick, VA covers 2 Area Codes. City of Keswick, VA covers 1 Zip Code. 11 Cities within 15 Miles of the City of Keswick, VA.", "id": "143"}} +{"put": "id:msmarco:passage::144", "fields": {"text": "The per capita income in Keswick in 2010 was $52,086, which is wealthy relative to Virginia and the nation. This equates to an annual income of $208,344 for a family of four. However, Keswick contains both very wealthy and poor people as well.", "id": "144"}} +{"put": "id:msmarco:passage::145", "fields": {"text": "Keswick, VA \u00bb Community Life \u00bb Keswick VA Census Records - Community Information for Keswick Keswick, Virginia Census Data & Community Profile Welcome to the heart of Keswick city data where you can quickly find the key Keswick detailed data and census information you need. Whether you want to know about Keswick's history, census information, data or when the library is open, these key links make it easy to get around Keswick \u2013 virtually.", "id": "145"}} +{"put": "id:msmarco:passage::146", "fields": {"text": "Keswick: State: VA [Virginia] Counties: ALBEMARLE, VA FLUVANNA, VA LOUISA, VA: Multi County: Yes: City Alias(es): Keswick Shadwell Cobham Boyd Tavern Campbell Cismont: Area Code: 434: City Type: P [Post Office] Classification: [Non-Unique] Time Zone: Eastern (GMT -05:00) Observes Day Light Savings: Yes: Latitude: 38.053411: Longitude:-78.318596: Elevation: 0 ft: State FIPS: 51: County FIPS:", "id": "146"}} +{"put": "id:msmarco:passage::147", "fields": {"text": "In a small town with a Keswick VA population of less than ten thousand, it is hard to keep anything quiet from the public. For some reason, every little thing that happens in the public is usually passed around through the rumor mill. In towns with a Keswick Virginia population of less than ten thousand people, the pace is a lot slower.", "id": "147"}} +{"put": "id:msmarco:passage::148", "fields": {"text": "Keswick Iowa Population 2017 2018, Keswick Iowa Population 2018, Keswick Iowa Population 2017, Keswick Iowa Demographics 2017 2018, Keswick Iowa Statistics 2017 2018 Suburban Stats Current Keswick, Iowa Population, Demographics and stats in 2017, 2018.", "id": "148"}} +{"put": "id:msmarco:passage::149", "fields": {"text": "Oral Phase. The first phase of swallowing is the oral phase which involves the tongue, mandible, lips, cheeks and palate all working together to ensure the food is adequately prepared for the future stages. In this phase, food is mixed with saliva and chewed with the aid of the muscles of mastication.", "id": "149"}} +{"put": "id:msmarco:passage::150", "fields": {"text": "Swallowing is a complex act that involves the coordinated activity of the mouth, pharynx, larynx and esophagus (Figure 1). A swallow has four phases: oral preparatory, oral propulsive, pharyngeal and esophageal.3.", "id": "150"}} +{"put": "id:msmarco:passage::151", "fields": {"text": "Stages of the Swallow. (Logemann, 1983, 1989,1997; Cherney, 1994) The oral preparatory phase. This part of the swallow is voluntary. It is a mechanical phase that can be by-passed by dropping liquid or food into the back of the throat. In this stage, the food is chewed into smaller pieces and tasted.", "id": "151"}} +{"put": "id:msmarco:passage::152", "fields": {"text": "-purpose: to move food from the front of the oral cavity to the anterior faucial arches, where the reflexive swallow is initiated. -Less than one second in duration. -Bolus passes posteriorly in the oral cavity to the faucial pillars. -CNs V, VII, IX, X, XI and XII.", "id": "152"}} +{"put": "id:msmarco:passage::153", "fields": {"text": "Article Sections. Swallowing disorders are common, especially in the elderly, and may cause dehydration, weight loss, aspiration pneumonia and airway obstruction. These disorders may affect the oral preparatory, oral propulsive, pharyngeal and/or esophageal phases of swallowing.", "id": "153"}} +{"put": "id:msmarco:passage::154", "fields": {"text": "Dysphagia, or difficulty in swallowing, is not a disease in itself but a condition that can be brought on by many different causes because swallowing is a delicate process, easily disturbed. Some causes are minor and quickly treatable; others are serious, even life-threatening.", "id": "154"}} +{"put": "id:msmarco:passage::155", "fields": {"text": "The coupling of the findings of diminished tongue sensory and motor function with increasing age might contribute to the increased prevalence of dysphagia, aspiration and pneumonia seen in the elderly (12, 13). In healthy individuals, the oral phase of swallowing is generally completed in approximately 1 second (14).", "id": "155"}} +{"put": "id:msmarco:passage::156", "fields": {"text": "The process of swallowing is known as deglutition. The act of swallowing can be divided into three stages for easy understanding. 1. Oral stage: This is the only voluntary stage in the act of swallowing. It consists of: Mastication of food making it into a bolus fit to be swallowed. The main muscles involved in the act of chewing are: a. Masseter.", "id": "156"}} +{"put": "id:msmarco:passage::157", "fields": {"text": "(5) neuromuscular components of swallowing. 1)Lip closure to hold the bolus in the mouth anteriorly (keeps food from spilling) 2)Tension in the labial and buccal musculature to close the anterior and lateral sulci. 3)Rotary jaw (circular) motion for mastication/grinding.", "id": "157"}} +{"put": "id:msmarco:passage::158", "fields": {"text": "By Dr. Jonathan Aviv. The purpose of swallowing is to safely transport food from the mouth to the stomach. A myriad of diseases and conditions affect this basic purpose. Therefore, understanding the normal swallow is one of the keys to beginning to develop a therapeutic plan for the patient with impaired deglutition.", "id": "158"}} +{"put": "id:msmarco:passage::159", "fields": {"text": "Sorrento, LA Profile: Facts, Map & Data. Sorrento, Louisiana - Basic Facts. The Town of Sorrento had a population of 1,589 as of July 1, 2016. The primary coordinate point for Sorrento is located at latitude 30.1836 and longitude -90.8666 in Ascension Parish. The formal boundaries for the Town of Sorrento (see map below) encompass a land area of 3.64 sq. miles and a water area of 0.04 sq. miles.", "id": "159"}} +{"put": "id:msmarco:passage::160", "fields": {"text": "Edenborn, in 1909, named the town Sorrento after Sorrento, Italy where it is claimed he took his young bride for their honeymoon. The first postmaster of the town of Sorrento was Willie Everrett, followed by Joe Gravois in 1915 and Sidney Chauvin in 1925.", "id": "160"}} +{"put": "id:msmarco:passage::161", "fields": {"text": "The Board of Trustees. Ascension Parish Tourism Commission. Sorrento, Louisiana. We have compiled the accompanying statement of financial position of Ascension Parish Tourism Commission. as of December 31,2010, and the related statement of activities for the year then ended.", "id": "161"}} +{"put": "id:msmarco:passage::162", "fields": {"text": "Sorrento, Louisiana is located in Ascension Parish. Zip codes in Sorrento, LA include 70778. The median home price in Sorrento is $15 which is roughly $15/per square foot. More Sorrento information.", "id": "162"}} +{"put": "id:msmarco:passage::163", "fields": {"text": "Activities in Sorrento Louisiana. Sorrento. Sorrento, a small town in Ascension Parish, was first known as Conway before being renamed in 1909. The town received its name from William Edenborn, a German immigrant who built the railroad through the region. He named the town Sorrento after the city in Italy where he took his bride for their honeymoon.", "id": "163"}} +{"put": "id:msmarco:passage::164", "fields": {"text": "Sorrento was incorporated as a village in 1956, and on August 20, 1962 was reclassified as a town. Sorrento\u2019s population today is 1,460. It is home to River Parish Community College and a growing number of other commercial developments along Highway 22 near Interstate 10.", "id": "164"}} +{"put": "id:msmarco:passage::165", "fields": {"text": "Meg Farris talks about rising rivers in Sorrento. SORRENTO, La. \u2013 Ascension Parish residents began bracing for the worst as water began creeping over major roadways Monday night. Parts of Airline Highway were underwater as a result of rain and heavy flooding throughout the southeast Louisiana. Officials said they believe both sides of Airline Highway will be impassable Tuesday morning.", "id": "165"}} +{"put": "id:msmarco:passage::166", "fields": {"text": "Sorrento, Louisiana. Sorrento is a town in Ascension Parish, Louisiana, United States. The population was 1,227 at the 2000 census. By the 2010 census it had grown 14.2%, to 1,401 inhabitants. It is part of the Baton Rouge Metropolitan Statistical Area.", "id": "166"}} +{"put": "id:msmarco:passage::167", "fields": {"text": "According to our research of Louisiana and other state lists there were 7 registered sex offenders living in Sorrento, Louisiana as of April 07, 2017. The ratio of number of residents in Sorrento to the number of sex offenders is 212 to 1. Median real estate property taxes paid for housing units in 2000:", "id": "167"}} +{"put": "id:msmarco:passage::168", "fields": {"text": "Latest news from Sorrento, LA collected exclusively by city-data.com from local newspapers, TV, and radio stations. Ancestries: French (26.1%), Italian (8.3%), French Canadian (7.8%), American (6.2%), German (4.5%), Cajun (2.7%).", "id": "168"}} +{"put": "id:msmarco:passage::169", "fields": {"text": "The scale of public works in the Mississippian culture can be estimated from the largest of the earthworks, Monks Mound, in the Cahokia Mounds near Collinsville, Illinois, which is approximately 1,000 feet (300 metres) long, 700 feet (200 m) wide, and 100 feet (30 metres) high.", "id": "169"}} +{"put": "id:msmarco:passage::170", "fields": {"text": "Mississippian Period. 1 A specific complex adaptation to linear, environmentally circumscribed floodplain habitat zones. 2 Pottery tempered with crushed mussel shell - an important innovation since it allowed potters to enhance the qualities of their clays and thus build more durable and larger vessels in a wider range of forms.", "id": "170"}} +{"put": "id:msmarco:passage::171", "fields": {"text": "How Were Mounds Made? Imagine groups of workers toiling from dawn to dusk, gathering baskets of dirt. They carry their burdens to a clearing, dump the soil, and tamp it down with their feet.", "id": "171"}} +{"put": "id:msmarco:passage::172", "fields": {"text": "\u201cIndian mound\u201d is the common name for a variety of solid structures erected by some of the indigenous peoples of the United States. Most Native American tribes did not build mounds. The majority were constructed in the Lower Southeast, Ohio River Valley, Tennessee River Valley and the Mississippi River Valley. Some types of shell mounds can be found along the entire length of the United States\u2019 Atlantic Coast.", "id": "172"}} +{"put": "id:msmarco:passage::173", "fields": {"text": "Mississippian people in eastern Arkansas were using mounds when Spanish explorers arrived in 1541, and the Caddo in the Red River valley were still using mounds during the winter of 1691\u201392, when explorers from Mexico visited them.", "id": "173"}} +{"put": "id:msmarco:passage::174", "fields": {"text": "Mound Builders, in North American archaeology, name given to those people who built mounds in a large area from the Great Lakes to the Gulf of Mexico and from the Mississippi River to the Appalachian Mts. The greatest concentrations of mounds are found in the Mississippi and Ohio valleys.", "id": "174"}} +{"put": "id:msmarco:passage::175", "fields": {"text": "MOUND BUILDERS. Mound Builders were prehistoric American Indians, named for their practice of burying their dead in large mounds. Beginning about three thousand years ago, they built extensive earthworks from the Great Lakes down through the Mississippi River Valley and into the Gulf of Mexico region.", "id": "175"}} +{"put": "id:msmarco:passage::176", "fields": {"text": "They spent hundreds of years building huge, steep platforms made of hard packed dirt - mounds. Many of the mounds were built in geometric patterns. Some were very long and wide - 1,000 feet long and over 700 feet wide. If you think of it as a football field - these huge mounds would cover over 3 football fields long and over 2 football fields wide!", "id": "176"}} +{"put": "id:msmarco:passage::177", "fields": {"text": "Note: The Kolomoki Site in southern Georgia appears to be a transitional site from Woodland Indians to Moundbuilders and is not included in the list. The most intact Mississippian Cultural site in the East is the Etowah Indian Mounds State Historic Site. The site was recognized as a De Soto Trail Site by the U.S. Department of the Interior in 1989 and is an anchor site on northwest Georgia's Chieftains Trail and is located in Bartow County, Georgia.", "id": "177"}} +{"put": "id:msmarco:passage::178", "fields": {"text": "When European first arrived in North America, the peoples of the Mississippian culture were still using and building platform mounds. Documented uses for Mississippian platform mounds include semi-public chief's house platforms, public temple platforms, mortuary platforms, charnel house platforms, earth lodge/town house platforms, residence platforms, square ground and rotunda platforms, and dance platforms.", "id": "178"}} +{"put": "id:msmarco:passage::179", "fields": {"text": "In contrast, if you are broadly happy and satisfied, you are more likely to engage with video games in a balanced, healthy way and your video game playing is likely to lead to feelings of enjoyment and increased energy.ctober 09, 2013, 11:01AM. * 1 Gamey McGamer, I too love violent video games for similar reasons to yourself. 2 I love killing characters (the bloodier the better) in the make believe world of video gaming but have zero interest in firing any sort of weapon in real life or in causing any sort of pain to real people.", "id": "179"}} +{"put": "id:msmarco:passage::180", "fields": {"text": "In contrast, if you are broadly happy and satisfied, you are more likely to engage with video games in a balanced, healthy way and your video game playing is likely to lead to feelings of enjoyment and increased energy.n a randomised controlled trial with a clinically depressed sample of adults, the positive influences of video games have been shown to include a reduction in tension, anger, depression and fatigue and increase in vigour.", "id": "180"}} +{"put": "id:msmarco:passage::181", "fields": {"text": "Importantly, there are also clear opportunities to use video games as a way to empower young people to manage their mental health and wellbeing, and potentially circumvent psychological distress. An important thing is that players (and their parents) engage thoughtfully with what they are playing.ctober 09, 2013, 11:01AM. * 1 Gamey McGamer, I too love violent video games for similar reasons to yourself. 2 I love killing characters (the bloodier the better) in the make believe world of video gaming but have zero interest in firing any sort of weapon in real life or in causing any sort of pain to real people.", "id": "181"}} +{"put": "id:msmarco:passage::182", "fields": {"text": "Importantly, there are also clear opportunities to use video games as a way to empower young people to manage their mental health and wellbeing, and potentially circumvent psychological distress. An important thing is that players (and their parents) engage thoughtfully with what they are playing.n a randomised controlled trial with a clinically depressed sample of adults, the positive influences of video games have been shown to include a reduction in tension, anger, depression and fatigue and increase in vigour.", "id": "182"}} +{"put": "id:msmarco:passage::183", "fields": {"text": "Play is not trivial; it's a basic biological drive as critical to our health as sleep or food. That's the word from Stuart Brown, author of the new book Play: How It Shapes the Brain, Opens the Imagination, and Invigorates the Soul (Avery, $24.95).Here are 10 ways that play makes life better:hen we play, dilemmas and challenges naturally filter through the unconscious mind and work themselves out. Even a few hours spent doing something you love can make you new again. Playing at work is not just useful; it's essential. When the going gets tough, the tough go play.", "id": "183"}} +{"put": "id:msmarco:passage::184", "fields": {"text": "+ More. Play is not trivial; it's a basic biological drive as critical to our health as sleep or food. That's the word from Stuart Brown, author of the new book Play: How It Shapes the Brain, Opens the Imagination, and Invigorates the Soul (Avery, $24.95). Here are 10 ways that play makes life better:hen we play, dilemmas and challenges naturally filter through the unconscious mind and work themselves out. Even a few hours spent doing something you love can make you new again. Playing at work is not just useful; it's essential. When the going gets tough, the tough go play.", "id": "184"}} +{"put": "id:msmarco:passage::185", "fields": {"text": "Making someone happy just for the sake of it can be one of the most rewarding feelings in this world. Brightening up a person\u2019s day, whether the person is your best friend or your waiter, can bring you good karma and will make your day brighter in turn.aking someone happy just for the sake of it can be one of the most rewarding feelings in this world. Brightening up a person\u2019s day, whether the person is your best friend or your waiter, can bring you good karma and will make your day brighter in turn.", "id": "185"}} +{"put": "id:msmarco:passage::186", "fields": {"text": "1 * Gamey McGamer, I too love violent video games for similar reasons to yourself. 2 I love killing characters (the bloodier the better) in the make believe world of video gaming but have zero interest in firing any sort of weapon in real life or in causing any sort of pain to real people.ctober 09, 2013, 11:01AM. * 1 Gamey McGamer, I too love violent video games for similar reasons to yourself. 2 I love killing characters (the bloodier the better) in the make believe world of video gaming but have zero interest in firing any sort of weapon in real life or in causing any sort of pain to real people.", "id": "186"}} +{"put": "id:msmarco:passage::187", "fields": {"text": "Researchers at the University of Rochester, New York, have shown that whether people engage with video games in a healthy way is a consequence of whether certain basic needs (feelings of competence, autonomy and relatedness) are being met in their lives.n a randomised controlled trial with a clinically depressed sample of adults, the positive influences of video games have been shown to include a reduction in tension, anger, depression and fatigue and increase in vigour.", "id": "187"}} +{"put": "id:msmarco:passage::188", "fields": {"text": "Often they are people who won't try something new themselves or like to make themselves feel better by making others feel worse. Ignore put-downs from other people! Don't use put-downs yourself! Just have a go and feel happy when you manage to do something or get better at something that you have been practising.ne thing is for sure and that is that money cannot make a person happy, nor can having all the things that anyone could want. Happiness is more about feelings and interactions with other people than having things.", "id": "188"}} +{"put": "id:msmarco:passage::189", "fields": {"text": "In a report on the new suggestions, the group lists 10 elements it says should appear in every award letter, including a breakdown of the cost of attendance and the college\u2019s net cost after grant aid is subtracted\u2026.", "id": "189"}} +{"put": "id:msmarco:passage::190", "fields": {"text": "Student loans. If you\u2019re considering student loans to help you pay for school, you\u2019re not alone \u2013 many students need loans to cover their full cost of attendance. If you have to take out student loans, comparing your options can help you find the student loan best suited for your needs. More about student loans.", "id": "190"}} +{"put": "id:msmarco:passage::191", "fields": {"text": "School Characteristics. ACADEMICS School 1 School 2 School 3. Class location (on or off campus, online) Class scheduling (when classes are held) Faculty experience and expertise. Programs of study (majors and minors) Student-to-faculty ratio (class size) ADMISSIONS School 1 School 2 School 3. Admissions or placement tests.", "id": "191"}} +{"put": "id:msmarco:passage::192", "fields": {"text": "Students will receive Financial Aid Award Letters - also referred to as Offers or Packages - from the colleges. These letters will outline the aid that each college can offer and may include any or all of the financial aid programs listed here.", "id": "192"}} +{"put": "id:msmarco:passage::193", "fields": {"text": "Other names for this document: Cost of Education Worksheet, College Costs Worksheet, Cost of College Worksheet. Use the Education Cost Worksheet document if: You want to calculate how much to save per year for a college fund. You'd like to compare investments and tax incentives for a college education for your children.", "id": "193"}} +{"put": "id:msmarco:passage::194", "fields": {"text": "Make your Free. Education Cost Worksheet. Education Cost Worksheet Basics. A college education is a worthwhile investment in your child's future, and you can plan for it with the Education Cost Worksheet. With this document you can determine how much you need to save before your kids head off to earn their degrees.", "id": "194"}} +{"put": "id:msmarco:passage::195", "fields": {"text": "COLLEGE BUDGET WORKSHEET. You may not be able to \ufb01ll out all these numbers right away and. may need to change some of them as you learn more about costs. and \ufb01nancial aid awards at particular colleges. You can use some. of the average costs we have indicated or speci\ufb01c prices and bud-.", "id": "195"}} +{"put": "id:msmarco:passage::196", "fields": {"text": "The Expected Family Contribution (EFC) is derived from information reported on the Free Application for Federal Student Aid (FAFSA). It is a family's expected ability over an academic year to absorb some of the educational costs. The financial aid office will use it to distribute need-based financial aid funds.", "id": "196"}} +{"put": "id:msmarco:passage::197", "fields": {"text": "Cost Worksheet. The Gettysburg College Board of Trustees approved the following costs for the 2017-18 academic year. Below is a worksheet to assist you in calculating your estimated costs. The regular room and USA meal plan are required for all first-year students.", "id": "197"}} +{"put": "id:msmarco:passage::198", "fields": {"text": "College Comparison. Worksheet! ! When researching which college to attend, there are many factors to consider \u2013 majors offered, distance from. home, cost of attendance, campus size, admissions requirements, and campus activities. These factors can play. an important role in deciding which college is the best choice for you.", "id": "198"}} +{"put": "id:msmarco:passage::199", "fields": {"text": "1 Arctic tundra-The Arctic tundra is located far north in the northern hemisphere along the Arctic Circle. 2 There are large areas of tundra in northern North America, northern Europe, and northern Asia.3 The word tundra comes from a Finnish word tunturi, which means treeless plain or barren land. There are large areas of tundra in northern North America, northern Europe, and northern Asia. 2 The word tundra comes from a Finnish word tunturi, which means treeless plain or barren land. 3 The tundra is a very fragile biome that is shrinking as the permafrost melts.", "id": "199"}} +{"put": "id:msmarco:passage::200", "fields": {"text": "Some locations of arctic and alpine tundra include: 1 Arctic Tundra. 2 North America-Northern Alaska, Canada, Greenland. 3 Northern Europe-Scandinavia. 4 Northern Asia-Siberia. 5 Alpine Tundra. 6 North America-Alaska, Canada, U.S.A., and Mexico. 7 Northern Europe-Finland, Norway, Russia, and Sweden.he tundra biome is characterized by extremely cold temperatures and treeless, frozen landscapes. There are two types of tundra, the arctic tundra and the alpine tundra.", "id": "200"}} +{"put": "id:msmarco:passage::201", "fields": {"text": "Location. The Tundra is located in the northern regions of North America, Europe, Asia, as well as a few regions of Antarctica.The Tundra is the second largest vegetation zone in Canada. It can be divided clearly into three different sections: the High Arctic Tundra, the Low Arctic Tundra and the Alpine Tundra.ocation. The Tundra is located in the northern regions of North America, Europe, Asia, as well as a few regions of Antarctica. The Tundra is the second largest vegetation zone in Canada.", "id": "201"}} +{"put": "id:msmarco:passage::202", "fields": {"text": "1 There are large areas of tundra in northern North America, northern Europe, and northern Asia. 2 The word tundra comes from a Finnish word tunturi, which means treeless plain or barren land. 3 The tundra is a very fragile biome that is shrinking as the permafrost melts. There are large areas of tundra in northern North America, northern Europe, and northern Asia. 2 The word tundra comes from a Finnish word tunturi, which means treeless plain or barren land. 3 The tundra is a very fragile biome that is shrinking as the permafrost melts.", "id": "202"}} +{"put": "id:msmarco:passage::203", "fields": {"text": "Siberia. Siberia is located in the northern-central part of Asia, largely in Russia. This vast region constituting almost all of northern Asia is an Arctic Tundra. Its proximity to the Arctic Ocean explains its presence in the tundra zone.Its natural landscape is sparsely populated amidst its vast plains.iberia. Siberia is located in the northern-central part of Asia, largely in Russia. This vast region constituting almost all of northern Asia is an Arctic Tundra. Its proximity to the Arctic Ocean explains its presence in the tundra zone. Its natural landscape is sparsely populated amidst its vast plains.", "id": "203"}} +{"put": "id:msmarco:passage::204", "fields": {"text": "Arctic Tundra. The Arctic tundra is a cold, vast, treeless area of low, swampy plains in the far north around the Arctic Ocean. It includes the northern lands of Europe (Lapland and Scandinavia), Asia (Siberia), and North America (Alaska and Canada), as well as most of Greenland.rctic Tundra. The Arctic tundra is a cold, vast, treeless area of low, swampy plains in the far north around the Arctic Ocean. It includes the northern lands of Europe (Lapland and Scandinavia), Asia (Siberia), and North America (Alaska and Canada), as well as most of Greenland.", "id": "204"}} +{"put": "id:msmarco:passage::205", "fields": {"text": "The tundra biome is characterized by extremely cold temperatures and treeless, frozen landscapes. There are two types of tundra, the arctic tundra and the alpine tundra.The arctic tundra is located between the north pole and the coniferous forests or taiga region. It is characterized by extremely cold temperatures and land that remains frozen year-round.he tundra biome is characterized by extremely cold temperatures and treeless, frozen landscapes. There are two types of tundra, the arctic tundra and the alpine tundra.", "id": "205"}} +{"put": "id:msmarco:passage::206", "fields": {"text": "Most of the tundra on Earth is found in the Arctic. However, tundra is also found in the Andes mountain range of South America and the Himalayas of central Asia. These regions are far from the Arctic Circle, so how is this possible.Please help!!owever, tundra is also found in the Andes mountain range of South America and the Himalayas of central Asia. These regions are far from the Arctic Circle, so how is this possible. Please help!!", "id": "206"}} +{"put": "id:msmarco:passage::207", "fields": {"text": "Plants Animals Climate The tundra is located at the top of the northern hemisphere in Europe, Asia and North America. It covers 20% of the earth's surface just below the polar cap.The Siberian Tundra is located in the northeastern part of Russia between 60\u00b0 to 80\u00b0 North latitude, and 70\u00b0 to 180\u00b0 East longitude.he tundra is located at the top of the northern hemisphere in Europe, Asia and North America. It covers 20% of the earth's surface just below the polar cap.", "id": "207"}} +{"put": "id:msmarco:passage::208", "fields": {"text": "There are three types of tundra: arctic tundra, alpine tundra, and Antarctic tundra. In tundra, the vegetation is composed of dwarf shrubs, sedges and grasses, mosses, and lichens.Scattered trees grow in some tundra regions.here are three types of tundra: arctic tundra, alpine tundra, and Antarctic tundra. In tundra, the vegetation is composed of dwarf shrubs, sedges and grasses, mosses, and lichens.", "id": "208"}} +{"put": "id:msmarco:passage::209", "fields": {"text": "One of the biggest perks of an Amazon Prime membership is free two-day shipping and, for some zip codes in major cities, free same-day delivery on eligible items with no minimum order size. Additionally, one-day shipping can cost as little as $2.99 per item, and Saturday shipping as low as $7.99 per item.", "id": "209"}} +{"put": "id:msmarco:passage::210", "fields": {"text": "1 Amazon has a program called Amazon Mom, which provides free two-day shipping Amazon Prime benefits to parents and caregivers (i.e. you don\u2019t have to be \u201cmom\u201d). You\u2019ll also receive 30% off diapers and wipes and personalized email discounts and offers in exchange for the information you provide. Share an Account.", "id": "210"}} +{"put": "id:msmarco:passage::211", "fields": {"text": "Amazon's Second Annual Prime Day on July 12 will offer exclusive deals for new and existing Amazon Prime members. Caroline Nolan. Jun 30, 2016 11:54 AM EDT. Last year, Amazon (AMZN) celebrated its 20th anniversary with a one-day online shopping event with a number of deals that rivaled Black Friday.", "id": "211"}} +{"put": "id:msmarco:passage::212", "fields": {"text": "Without Amazon Prime membership, you will be paying $12 on average for two-day shipping on each purchase. If you typically buy one item each month from Amazon using two-day shipping, you would be spending at least $114 a year, making an Amazon Prime membership worth the cost.", "id": "212"}} +{"put": "id:msmarco:passage::213", "fields": {"text": "On Tuesday, July 12, Amazon will be hosting its second annual Prime Day with over 100,000 deals worldwide. New and existing Amazon Prime members will have the ability to shop the site for exclusive deals starting at midnight, with new deals becoming available as often as every ten minutes.", "id": "213"}} +{"put": "id:msmarco:passage::214", "fields": {"text": "Prime membership gives you free two-day shipping, free same-day delivery for some items over $35 in 14 cities (you usually have to order these items by noon), as well as one-day shipping starting at $2.99.", "id": "214"}} +{"put": "id:msmarco:passage::215", "fields": {"text": "Customers who subscribe to the Prime service get two-day shipping for free, and overnight shipping for a mere $3.99 per order. As an added bonus, Amazon recently announced that they will also include free media streaming of movies and television shows to all paid Amazon subscribers.", "id": "215"}} +{"put": "id:msmarco:passage::216", "fields": {"text": "Amazon's Second Annual Prime Day on July 12 will offer exclusive deals for new and existing Amazon Prime members. Is the service worth the annual fee? Last year, Amazon (AMZN) celebrated its 20th anniversary with a one-day online shopping event with a number of deals that rivaled Black Friday.", "id": "216"}} +{"put": "id:msmarco:passage::217", "fields": {"text": "On Friday, Amazon.com Inc. will offer a one-year Prime membership at a one-third discount. Should you go for it? To celebrate its Emmy-winning show \u201cTransparent,\u201d Amazon AMZN, -0.18% will offer a one-year Prime membership \u2014 regularly priced at $99 \u2014 for $67 on Friday. This one-day deal is available to new members, who can sign up by going to Amazon.com/TransparentPrime.", "id": "217"}} +{"put": "id:msmarco:passage::218", "fields": {"text": "Plus, don\u2019t overpay for the benefits Prime. If you\u2019re a student, you can get free two-day shipping for free for six months when you sign up for Amazon Student, and then upgrade to Prime for half off after that. More from MarketWatch. China Fights Hackers With Quantum Physics.", "id": "218"}} +{"put": "id:msmarco:passage::219", "fields": {"text": "Physical properties can be used to identify and describe. substances. Physical properties of matter include odor, color, density, solubility, boiling point. and melting point, and its physical state at room temperature. A colorless, odorless liquid that. freezes at 0\u00b0C and boils at 100\u00b0C is probably water, for example. Every substance also has. chemical properties.", "id": "219"}} +{"put": "id:msmarco:passage::220", "fields": {"text": "A photon is massless, has no electric charge, and is a stable particle. A photon has two possible polarization states. In the momentum representation of the photon, which is preferred in quantum field theory, a photon is described by its wave vector, which determines its wavelength \u03bb and its direction of propagation.", "id": "220"}} +{"put": "id:msmarco:passage::221", "fields": {"text": "THE FOUR TYPES OF EVIDENCE. There are four traditional types of evidence: real, demonstrative, documentary, and testimonial. Some rules of evidence apply to all four types and some apply only to some or one of them. First, we will cover general rules of admissibility that apply to all evidence. Then, we will cover foundational rules that relate to specific kinds of evidence. Finally, we will cover some special topics, like the form of examination, the hearsay rule, and the lay opinion rule, that frequently cause problems in the courtroom.", "id": "221"}} +{"put": "id:msmarco:passage::222", "fields": {"text": "For example, the pressure of electromagnetic radiation on an object derives from the transfer of photon momentum per unit time and unit area to that object, since pressure is force per unit area and force is the change in momentum per unit time.", "id": "222"}} +{"put": "id:msmarco:passage::223", "fields": {"text": "The evolution of a gas, a color change, the formation of a precipitate, and the. evolution of heat are frequently telltale signs that a chemical reaction has occurred. You will examine some substances and describe their physical properties in this lab. You. will cause changes in some of these substances. You will decide whether the changes are. physical or chemical using test and making observations. You also will demonstrate that mass is. conserved in physical and chemical changes.", "id": "223"}} +{"put": "id:msmarco:passage::224", "fields": {"text": "A photon is an elementary particle, the quantum of all forms of electromagnetic radiation including light. It is the force carrier for electromagnetic force, even when static via virtual photons.", "id": "224"}} +{"put": "id:msmarco:passage::225", "fields": {"text": ") There is a sequence of steps to initiate upon arriving at an incident or crime scene to __.", "id": "225"}} +{"put": "id:msmarco:passage::226", "fields": {"text": "The energy of a system that emits a photon is decreased by the energy E {\\displaystyle E} of the photon as measured in the rest frame of the emitting system, which may result in a reduction in mass in the amount E / c 2 {\\displaystyle {E}/{c^{2}}} .", "id": "226"}} +{"put": "id:msmarco:passage::227", "fields": {"text": "Our task would be impossible but for two important facts. First, all of you have studied the law of evidence before, either in a course on evidence or in preparation for the bar exam. Accordingly, most of the rules presented will already be familiar to you.", "id": "227"}} +{"put": "id:msmarco:passage::228", "fields": {"text": "In physics, a photon is usually denoted by the symbol \u03b3 (the Greek letter gamma). This symbol for the photon probably derives from gamma rays, which were discovered in 1900 by Paul Villard, named by Ernest Rutherford in 1903, and shown to be a form of electromagnetic radiation in 1914 by Rutherford and Edward Andrade.", "id": "228"}} +{"put": "id:msmarco:passage::229", "fields": {"text": "The most common way of taking Hawaiian Baby Woodrose seeds for hallucinogenic effects is by either chewing the seeds or grinding them and steeping with hot water. User experiences vary from life altering mystical journeys to a slow motion train wreck. A positive user experience, from Erowid (2),", "id": "229"}} +{"put": "id:msmarco:passage::230", "fields": {"text": "Tramadol (Ultram) can affect a chemical in the brain called serotonin. Hawaiian baby woodrose can also affect serotonin. Taking Hawaiian baby woodrose along with tramadol (Ultram) might cause too much serotonin in the brain and side effects including confusion, shivering, stiff muscles, and other side effects.", "id": "230"}} +{"put": "id:msmarco:passage::231", "fields": {"text": "Hawaiian baby woodrose increases a chemical in the brain called serotonin. Meperidine (Demerol) can also increase serotonin in the brain. Taking Hawaiian baby woodrose along with meperidine (Demerol) might cause too much serotonin in the brain and serious side effects including heart problems, shivering, and anxiety.", "id": "231"}} +{"put": "id:msmarco:passage::232", "fields": {"text": "Donate $125 to Erowid & get an art glass molecule. Hawaiian Baby Woodrose is a perennial climbing vine with large heart-shaped leaves and white trumpet-shaped flowers. Its large furry seeds grow in seed pods and contain the psychedelic LSA.", "id": "232"}} +{"put": "id:msmarco:passage::233", "fields": {"text": "Hawaiian baby woodrose is an ornamental plant that is related to the morning glory plant. It grows in Florida, California, and Hawaii. The seeds are used to make medicine. Despite serious safety concerns, Hawaiian baby woodrose is used for pain relief and causing sweating.", "id": "233"}} +{"put": "id:msmarco:passage::234", "fields": {"text": "Some H.B.Woodrose seeds may not even be hallucinogenic or contain enough LSA to have an effect. \u2014Preceding unsigned comment added by 88.18.198.51 (talk) 22:31, 31 August 2007 (UTC) There is next to no referencing of anything on this page, regardless of the accuracy of the material.", "id": "234"}} +{"put": "id:msmarco:passage::235", "fields": {"text": "[Untitled] The main body of the plant also contains small amounts of strychnine[citation needed], a potent toxin, but its presence is negligible in the seeds.. I've done an exaustive search on this plant for 15 years, and have over 100 journal articles on morning glory species alone.", "id": "235"}} +{"put": "id:msmarco:passage::236", "fields": {"text": "Taking Hawaiian baby woodrose with these medications used for depression might cause there to be too much serotonin. This could cause serious side effects including heart problems, shivering, and anxiety. Some of these medications used for depression include phenelzine (Nardil), tranylcypromine (Parnate), and others.", "id": "236"}} +{"put": "id:msmarco:passage::237", "fields": {"text": "HAWAIIAN BABY WOODROSE Side Effects & Safety. Hawaiian baby woodrose is UNSAFE. It can cause side effects such as nausea, vomiting, dizziness, hallucinations, blurred vision, dilated pupils, rapid movement of eyeballs, sweating, fast heart rate, and increased blood pressure.", "id": "237"}} +{"put": "id:msmarco:passage::238", "fields": {"text": "The alkaloid ergine, also known as d-lysergic acid amide (LSA), is present in Hawaiian Baby Woodrose seeds, along with many other alkaloids. Total alkaloid content in the seeds is about 1%, with ergine and its isomer constituting about 50% of that (1).", "id": "238"}} +{"put": "id:msmarco:passage::239", "fields": {"text": "John Maynard Keynes, 1st Baron Keynes, CB (5 June 1883 \u2013 21 April 1946) was a British economist. His ideas, called Keynesian economics, had a big impact on modern economic and political theory. His ideas also had a big impact on many governments' tax and economic policies.", "id": "239"}} +{"put": "id:msmarco:passage::240", "fields": {"text": "Keynes argued that governments should solve problems in the short run rather than wait for market forces to fix things over the long run, because, as he wrote, \u201cIn the long run, we are all dead.\u201d This does not mean that Keynesians advocate adjusting policies every few months to keep the economy at full employment.", "id": "240"}} +{"put": "id:msmarco:passage::241", "fields": {"text": "Keynesian economists are rectifying that omission by integrating the real and financial sectors of the economy.\u25a0. Sarwat Jahan is an Economist and Chris Papageorgiou is a Deputy Division Chief in the IMF\u2019s Strategy, Policy, and Review Department.", "id": "241"}} +{"put": "id:msmarco:passage::242", "fields": {"text": "Keynes argued that inadequate overall demand could lead to prolonged periods of high unemployment. An economy\u2019s output of goods and services is the sum of four components: consumption, investment, government purchases, and net exports (the difference between what a country sells to and buys from foreign countries).", "id": "242"}} +{"put": "id:msmarco:passage::243", "fields": {"text": "John Maynard Keynes, 1st Baron Keynes, CB, FBA (/\u02c8ke\u026anz/ KAYNZ; 5 June 1883 \u2013 21 April 1946), was a British economist whose ideas fundamentally changed the theory and practice of modern macroeconomics and the economic policies of governments.", "id": "243"}} +{"put": "id:msmarco:passage::244", "fields": {"text": "British economist John Maynard Keynes spearheaded a revolution in economic thinking that overturned the then-prevailing idea that free markets would automatically provide full employment\u2014that is, that everyone who wanted a job would have one as long as workers were flexible in their wage demands (see box).", "id": "244"}} +{"put": "id:msmarco:passage::245", "fields": {"text": "John Maynard Keynes was born at 7 Melville Road, Cambridge, England. His father was John Neville Keynes, an economics lecturer at Cambridge University. His mother was Florence Ada Brown, a successful author and a social reformer. His younger brother, Geoffrey Keynes (1887\u20131982) was a surgeon and bibliophile (book lover).", "id": "245"}} +{"put": "id:msmarco:passage::246", "fields": {"text": "Subsequently, the term \u201cKeynesian economics\u201d was used to refer to the concept that optimal economic performance could be achieved \u2013 and economic slumps prevented \u2013 by influencing aggregate demand through activist stabilization and economic intervention policies by the government.", "id": "246"}} +{"put": "id:msmarco:passage::247", "fields": {"text": "Keynesian economics gets its name, theories, and principles from British economist John Maynard Keynes (1883\u20131946), who is regarded as the founder of modern macroeconomics. His most famous work, The General Theory of Employment, Interest and Money, was published in 1936.", "id": "247"}} +{"put": "id:msmarco:passage::248", "fields": {"text": "DEFINITION of 'Keynesian Economics'. An economic theory of total spending in the economy and its effects on output and inflation. Keynesian economics was developed by the British economist John Maynard Keynes during the 1930s in an attempt to understand the Great Depression. Keynes advocated increased government expenditures and lower taxes to stimulate demand and pull the global economy out of the Depression.", "id": "248"}} +{"put": "id:msmarco:passage::249", "fields": {"text": "2011 \u2013 The first of its kind in North America, EdgeWalk is the world\u2019s highest full circle hands-free walk on a 5 ft (1.5 m) wide ledge encircling the top of the CN Tower\u2019s main pod, 356m, (1168 ft, 116 stories) above the ground.", "id": "249"}} +{"put": "id:msmarco:passage::250", "fields": {"text": "With its microwave receptors at 338 m (1,109 ft.) and at the 553.33m (1,815 ft., 5 inches) antenna, the CN Tower swiftly solved the communications problems with room to spare and as a result, people living in the Toronto area now enjoy some of the clearest reception in North America.", "id": "250"}} +{"put": "id:msmarco:passage::251", "fields": {"text": "I've been to the CN Tower in Toronto quite a few times, but never like this! They hold the Guinness World Record for highest edge walk on a building (356m or 1,167.97 ft) this is an adventure you ...", "id": "251"}} +{"put": "id:msmarco:passage::252", "fields": {"text": "The CN Tower-A history of firsts / La Tour CN-Les grandes premieres-Premi\u00e8res: duration 111. seconds", "id": "252"}} +{"put": "id:msmarco:passage::253", "fields": {"text": "EdgeWalk at the CN Tower Hosts Wedding of a Lifetime / \u00c9pouser \u00e9pouser Sur'L-HAUT DA-Cieux: duration 106. seconds", "id": "253"}} +{"put": "id:msmarco:passage::254", "fields": {"text": "Construction began on Feb. 6, 1973, and after 40 months, the tower was opened to the public on June 26, 1976. The CBC's Bill Harrington reports. \u00bb\u00bb\u00bb Subscribe to CBC News to watch more videos: h...", "id": "254"}} +{"put": "id:msmarco:passage::255", "fields": {"text": "Each year, over 1.5 million people visit Canada\u2019s National Tower to take in the breathtaking views and enjoy all the CN Tower has to offer. After 40 months of construction, the CN Tower was opened to the public on June 26, 1976 and it was well on its way to becoming the country\u2019s most celebrated landmark.", "id": "255"}} +{"put": "id:msmarco:passage::256", "fields": {"text": "Defining the Toronto skyline at 553.33m (1,815ft5in), the CN Tower is Canada\u2019s most recognizable and celebrated icon. The CN Tower is an internationally renowned architectural triumph, an engineering Wonder of the Modern World, world-class entertainment and dining destination and a must see for anyone visiting Toronto.", "id": "256"}} +{"put": "id:msmarco:passage::257", "fields": {"text": "You would be hard pushed to name a building that has defined Toronto more than the CN Tower. Love it or loathe it, the massive concrete structure has dominated the city's skyline and provided a visual reference point for outsiders for almost a generation. The tower itself is something of an oddity.", "id": "257"}} +{"put": "id:msmarco:passage::258", "fields": {"text": "The CN Tower-A history of firsts / La Tour CN-Les grandes premieres. 33,095 33095 views 2 years. Ago read. More'canada s most recognizable and celebrated, icon.553 33m Above / Toronto grand symbole canadien bien, connu point de repere rep\u00e8re dans le Ciel de toronto,a. \u00e0 553 33m", "id": "258"}} +{"put": "id:msmarco:passage::259", "fields": {"text": "Lakewood Village, Texas Population: Census 2010 and 2000 Interactive Map, Demographics, Statistics, Quick Facts. Compare population statistics about Lakewood Village, TX by race, age, gender, Latino/Hispanic origin etc. CensusViewer delivers detailed demographics and population statistics from the 2010 Census, 2000 Census, American Community Survey (ACS), registered voter files, commercial data sources and more.", "id": "259"}} +{"put": "id:msmarco:passage::260", "fields": {"text": "Lakewood Village, Texas Population: Census 2010 and 2000 Interactive Map, Demographics, Statistics, Quick Facts Compare population statistics about Lakewood Village, TX by race, age, gender, Latino/Hispanic origin etc. CensusViewer delivers detailed demographics and population statistics from the 2010 Census, 2000 Census, American Community Survey (ACS), registered voter files, commercial data sources and more.", "id": "260"}} +{"put": "id:msmarco:passage::261", "fields": {"text": "Compare population statistics about Lakewood Village, TX from the 2010 and 2000 census by race, age, gender, Latino/Hispanic origin etc.", "id": "261"}} +{"put": "id:msmarco:passage::262", "fields": {"text": "Lakewood Village Texas Population Charts According to the most recent demographics data available from the Census Bureau released in December of 2016, Figure 1 Lakewood Village shows it has 584 population which is the 4th smallest population of all the other places in the area.", "id": "262"}} +{"put": "id:msmarco:passage::263", "fields": {"text": "Lakewood Village Texas Marriage and Families Charts Figure 12 shows the marriage status it has the largest proportion of total percent of people widowed at 6% of the total and is ranked #1. Figure 14 is the average size of a typical family. Lakewood Village shows it has 3.2 average family size which is the 3d most of all other places in the area.", "id": "263"}} +{"put": "id:msmarco:passage::264", "fields": {"text": "Lakewood Village Population by Race. The table below shows population data by race for Lakewood Village, TX. The highest percentage of the population is White at 89.9%. 10.3% of the population is Hispanic, making that the second largest group.", "id": "264"}} +{"put": "id:msmarco:passage::265", "fields": {"text": "Lakewood Village Population by Gender Lakewood Village, TX population data, segmented by gender, is displayed in the table below. Males comprise 47.5% of the population. Females comprise 52.5% of the population.", "id": "265"}} +{"put": "id:msmarco:passage::266", "fields": {"text": "Also, compared to the state of Texas, Population Change of 5.5%, Lakewood Village is 29.2% larger. Looking at population density in Figure 5 Lakewood Village reveals it has 826 population density which is the 2nd smallest population density of all the other places in the area.", "id": "266"}} +{"put": "id:msmarco:passage::267", "fields": {"text": "Total occupied homes in Lakewood Village with people under 18 years old: Total: 199; Population of homes with one or more people under 18 years: 75; Population of family homes: 75; Husband-wife family: 65; Under 6 years only: 14; Under 6 years and 6 to 17 years: 13; 6 to 17 years only: 38; Other family: 10; Male householder, no wife present: 3; Under 6 years only: 1", "id": "267"}} +{"put": "id:msmarco:passage::268", "fields": {"text": "Lakewood Village Population by Race The table below shows population data by race for Lakewood Village, TX. The highest percentage of the population is White at 89.9%. 10.3% of the population is Hispanic, making that the second largest group.", "id": "268"}} +{"put": "id:msmarco:passage::269", "fields": {"text": "Welcome to Pangaon Inland Container Terminal. Bangladesh Inland Water Transport Authority (BIWTA) and the Chittagong Port Authority (CPA) jointly built this inland terminal at a cost of Tk1.54bn.", "id": "269"}} +{"put": "id:msmarco:passage::270", "fields": {"text": "You are here: Home \u00bb About. Bangladesh Inland Water Transport Authority (BIWTA) and the Chittagong Port Authority (CPA) jointly built this inland terminal at a cost of Tk1.54bn. The terminal is expected to play a positive role in the country\u2019s economic development by opening up a new horizon in the transportation of exported and imported goods through waterways.", "id": "270"}} +{"put": "id:msmarco:passage::271", "fields": {"text": "The inter-ministerial meeting will also discuss non-availability of ships at the Pangaon port terminal. \u201cSome 32 agencies have been licensed by the Ministry of Shipping for launching ships, but those are yet to come into operation. Currently, some three ships of Summit alliance are operating in the port,\u201d he added.", "id": "271"}} +{"put": "id:msmarco:passage::272", "fields": {"text": "Despite the fact that Pangaon is not an international port, direct cargo vessel movement between India and Bangladesh started to pave the way under the 'Coastal Shipping Agreement' signed in 2015. The 'Shonartori Nou Kalyan-1' reached the Pangaon Inland Container Terminal at Keraniganj on Friday with 65 containers on board.", "id": "272"}} +{"put": "id:msmarco:passage::273", "fields": {"text": "Pangaon, South Keranigonj , Dhaka, Bangladesh. Bangladesh Inland Water Transport Authority (BIWTA) and the Chittagong Port Authority (CPA) jointly built this inland terminal at a cost of Tk1.54bn.", "id": "273"}} +{"put": "id:msmarco:passage::274", "fields": {"text": "Highlights. 1 1. First cargo vessel from India arrives at Pangaon Port in Bangladesh. 2 2. Cargo ships to now reach and depart from Pangaon to India every 15 days. 3 3. India and Bangladesh signed the Coastal Shipping Agreement in 2015.", "id": "274"}} +{"put": "id:msmarco:passage::275", "fields": {"text": "OOCL has two offices in Bangladesh, one at Chittagong the main Seaport & another in Capital City at Dhaka (some 300 Kilometers North of Chittagong Sea Port. Country Head sits in the head office at Capital city.", "id": "275"}} +{"put": "id:msmarco:passage::276", "fields": {"text": "The official language in Bangladesh is Bengali, though English is widely spoken. The capital of the country is Dhaka, Majority people are of Muslim (90%), Hindus are about 9% & others are about 1%. The area of the country is 147570 Square Kilometer. To the south of Bangladesh is Bay of Bengal & Indian Ocean.", "id": "276"}} +{"put": "id:msmarco:passage::277", "fields": {"text": "Use of Pangaon port may be made mandatory for some imports. Authorities concerned are considering making the import of some products mandatory through Pangaon port by ensuring shipment on time at affordable charges, officials said.", "id": "277"}} +{"put": "id:msmarco:passage::278", "fields": {"text": "The People\u2019s Republic of Bangladesh is in South Asia surrounded by borders of India & Myanmar. Bangladesh got independence in 1971 after liberation war with West Pakistan. Population is about 160 million in 2013. It is world\u2019s 8th most populous country.", "id": "278"}} +{"put": "id:msmarco:passage::279", "fields": {"text": "8 Reasons to Join the Student Government Association July 10, 2012 - Get Involved in Student Life this Fall through your Student Government Association! Hello fellow Titans!", "id": "279"}} +{"put": "id:msmarco:passage::280", "fields": {"text": "Some of the benefits of joining SGA include: 1 Joining a network of active and engaged students. 2 Growing your professional development skills. 3 Becoming a student leader on campus. 4 Impacting the growth of our university.", "id": "280"}} +{"put": "id:msmarco:passage::281", "fields": {"text": "Once you join SGA, you can use lobby visits to advocate for less government, conservative legislation, and lower student fees (especially if you attend a public university). Additionally, this will help you build contacts and connections with legislators and their staffs.", "id": "281"}} +{"put": "id:msmarco:passage::282", "fields": {"text": "Please complete and return to the Student Government Association Office. Incomplete applications will not be accepted. Questions? Contact Lori Cannon at 850.873.3598 or lcannon@gulfcoast.edu. Requirements for SGA membership Application: Applicant must have a minimum GPA of 2.0 and be in good standing with Gulf Coast State College. A", "id": "282"}} +{"put": "id:msmarco:passage::283", "fields": {"text": "SGA serves the student body in the following ways: 1 Prioritizing issues that matter to you as a student. 2 Representing your voice in university wide decisions. 3 Hosting events that increase involvement and enhance your student experience.", "id": "283"}} +{"put": "id:msmarco:passage::284", "fields": {"text": "The student government association is among the best orgs to join. Find out why this org can improve your resume and your personality in more ways than one. The student government association is among the best orgs to join.", "id": "284"}} +{"put": "id:msmarco:passage::285", "fields": {"text": "Why You Should Join Student Government! Uncategorized April 13, 2012, by Staff Writer Ask an SGA Representative about how you can be interviewed for a SGA position today!", "id": "285"}} +{"put": "id:msmarco:passage::286", "fields": {"text": "So they will ask you why you want to \u201cbecome part of their team\u201d and you need to have a good answer \u2013 one that incorporates the company research you did before your interview and how your skills and experiences have made you want to pursue that job. The key is to focus on the company, not the specific job description.", "id": "286"}} +{"put": "id:msmarco:passage::287", "fields": {"text": "Why are you the best advocate for the College of Music; College of Visual Arts, Theatre, and Dance; and the College of Motion Picture Arts? How do you plan to bring these colleges closer to the SGA and the student body? What are some specific ideas for programming that you would like to implement? How might these programs benefit the student body?", "id": "287"}} +{"put": "id:msmarco:passage::288", "fields": {"text": "Personal choice : I would prefer to join these 4 types of orgs 1 : A student org that is related to my career which is part of a national professional chapter like American Marketing Association. 2 An organization that helps me build good friendships or meet people from different countries or same country.", "id": "288"}} +{"put": "id:msmarco:passage::289", "fields": {"text": "About the Downtown Cruise Ship Berths. Juneau has two cruise ship docks located in the downtown waterfront. There are also two private cruise ship docks in the area. Together they serve nearly 1 Million passengers a season (May through September).The current city owned docks provide berthing for one ship up to 800 feet in length and one Panamax ship up to 1,000 feet in length.he current city owned docks provide berthing for one ship up to 800 feet in length and one Panamax ship up to 1,000 feet in length.", "id": "289"}} +{"put": "id:msmarco:passage::290", "fields": {"text": "1 Wells Fargo: Wells Fargo has several offices in Juneau; the branch closest to the Cruise Terminal is located at 123 Seward Street. 2 First National Bank of Alaska: this Alaska-based bank has an office and ATM at 238 Front Street. 3 Key Bank: Key Bank has a branch with an ATM located at 234 Seward Street.epending on the location in the city and borough, average annual rainfall ranges from 55 inches to over 90 inches, and the average annual snowfall at Juneau International Airport is 93 inches. June and July are the driest months, with an average of 16 days of rain.", "id": "290"}} +{"put": "id:msmarco:passage::291", "fields": {"text": "The cruise ships in Juneau Alaska are the heart and soul of our tourism season. When the crusie ships show up in Juneau, this town of 30,000 residents comes alive!he cruise ships in Juneau Alaska are the heart and soul of our tourism season. When the crusie ships show up in Juneau, this town of 30,000 residents comes alive!", "id": "291"}} +{"put": "id:msmarco:passage::292", "fields": {"text": "For other ships of the same name, see USS Juneau. USS Juneau in June 1942. The first USS Juneau (CL-52) was a United States Navy Atlanta class light cruiser sunk at the Naval Battle of Guadalcanal 13 November 1942. In total 687 men, including the five Sullivan brothers, were killed in action as a result of its sinking.he was down 12 ft (4 m) by the bow, but able to maintain 13 kn (15 mph, 24 km/h). A few minutes after 1100, two torpedoes were launched from I-26. These were intended for San Francisco, but both passed ahead of her. One struck Juneau in the same place that had been hit during the battle.", "id": "292"}} +{"put": "id:msmarco:passage::293", "fields": {"text": "Juneau Basics. Juneau, the capital of Alaska and the second largest city in the state, is located on the Gastineau Channel, less than 100 miles from the US-Canadian border. The borough and city of Juneau is the second-largest in the United States by area--larger even than the state of Delaware.epending on the location in the city and borough, average annual rainfall ranges from 55 inches to over 90 inches, and the average annual snowfall at Juneau International Airport is 93 inches. June and July are the driest months, with an average of 16 days of rain.", "id": "293"}} +{"put": "id:msmarco:passage::294", "fields": {"text": "Following a hurried shakedown cruise along the Atlantic coast in the spring of 1942, Juneau assumed blockade patrol in early May off Martinique and Guadeloupe Islands to prevent the escape of Vichy French Naval units.he was down 12 ft (4 m) by the bow, but able to maintain 13 kn (15 mph, 24 km/h). A few minutes after 1100, two torpedoes were launched from I-26. These were intended for San Francisco, but both passed ahead of her. One struck Juneau in the same place that had been hit during the battle.", "id": "294"}} +{"put": "id:msmarco:passage::295", "fields": {"text": "1 The Juneau Public Library, located at 292 Marine Way adjacent to the Cruise Ship Docks, offers free Wi-Fi internet access. 2 The library is open from 11:00 am to 8:00 pm Monday through Thursday, and from noon to 5:00 pm on Friday through Sunday.epending on the location in the city and borough, average annual rainfall ranges from 55 inches to over 90 inches, and the average annual snowfall at Juneau International Airport is 93 inches. June and July are the driest months, with an average of 16 days of rain.", "id": "295"}} +{"put": "id:msmarco:passage::296", "fields": {"text": "Another leading industry there is government. Juneau became a state capital when Alaska became the 49th U.S. state in 1959, and today, nearly 60 percent of the city's population works in government.The governor's mansion stands on a hillside overlooking the cruise docks, and anyone can take a walk up the hills via steep stairways.he most exciting way to see the glacier is by helicopter. Temsco Helicopters (877-789-9501) offers a basic tour with about 30 minutes in the air and 20 to 25 minutes on the glacier; upgrade to the pilot's choice tour for two different glacier landings.", "id": "296"}} +{"put": "id:msmarco:passage::297", "fields": {"text": "Improvements in this area is entering the final phase which will construct two new floating berths capable of handling one Panamax ship up to 1,000 feet in length and one post-Panamax ship up to 1,100 feet in length.he current city owned docks provide berthing for one ship up to 800 feet in length and one Panamax ship up to 1,000 feet in length.", "id": "297"}} +{"put": "id:msmarco:passage::298", "fields": {"text": "Juneau is on Alaska Time, nine hours earlier than Greenwich Mean Time during standard time, or eight hours during daylight savings time. Daylight savings time begins on the second Sunday of March, and ends on the first Sunday of November.epending on the location in the city and borough, average annual rainfall ranges from 55 inches to over 90 inches, and the average annual snowfall at Juneau International Airport is 93 inches. June and July are the driest months, with an average of 16 days of rain.", "id": "298"}} +{"put": "id:msmarco:passage::299", "fields": {"text": "Using contractors and subcontractors. The difference between contractors and subcontractors. There is an important distinction between using contractors and subcontractors. Contractors. Contractors provide agreed services to a client for a set fee - and possibly duration - under a contract for services.", "id": "299"}} +{"put": "id:msmarco:passage::300", "fields": {"text": "A subcontractor is a person who is hired by a general contractor (or prime contractor, or main contractor) to perform a specific task as part of the overall project and is normally paid for services provided to the project by the originating general contractor.", "id": "300"}} +{"put": "id:msmarco:passage::301", "fields": {"text": "A subcontractor agreement is an agreement which specifies the terms of a relationship between a contractor and subcontractor, including the type of work the subcontractor is being hired to perform.", "id": "301"}} +{"put": "id:msmarco:passage::302", "fields": {"text": "(sabk\u0259n\u02c8tr\u04d5kt\u0259) , ((American) sab\u02c8kontrakt\u0259r) noun. a person who undertakes work for a contractor and is therefore not directly employed by the person who wants such work done. The building contractor has employed several subcontractors to build the block of flats.", "id": "302"}} +{"put": "id:msmarco:passage::303", "fields": {"text": "With this approach, each subcontractor is assigned an expected claim level or claim experience target based on its loss history, for claim categories that have a credible volume of information for actuarial projections.", "id": "303"}} +{"put": "id:msmarco:passage::304", "fields": {"text": "Subcontractors are frequently hired to work on construction sites. A subcontractor agreement specifies the terms of a relationship between a contractor and subcontractor, including the type of work the subcontractor is being hired to perform. Electricians may work as subcontractors on a construction project.", "id": "304"}} +{"put": "id:msmarco:passage::305", "fields": {"text": "There is an important distinction between using contractors and subcontractors. Contractors provide agreed services to a client for a set fee - and possibly duration - under a contract for services. (This is in contrast to a contract of service, eg a contract of employment, which is between an employee and employer.)", "id": "305"}} +{"put": "id:msmarco:passage::306", "fields": {"text": "For the class of mathematical functions, see Subcontraction map. A subcontractor is an individual or in many cases a business that signs a contract to perform part or all of the obligations of another's contract.", "id": "306"}} +{"put": "id:msmarco:passage::307", "fields": {"text": "A subcontractor has a contract with the contractor for the services provided - an employee of the contractor cannot also be a subcontractor. Subcontractors undertake work that a contractor cannot do but for which the contractor is responsible.", "id": "307"}} +{"put": "id:msmarco:passage::308", "fields": {"text": "Related Terms. Junior or secondary contractor who contracts with a prime contractor (and not the principal or owner of the project) to perform some or all of the prime contractor's contractual-obligations under the prime contract. You Also Might Like... Jeffrey Glen.", "id": "308"}} +{"put": "id:msmarco:passage::309", "fields": {"text": "OHC Supply: The Total Builders Resource. OHC Supply has developed a standing reputation based on quality and its commitment to customer service. Supported by professionally trained staff and a 10,000 sq. ft. Builders Resource Center, OHC is the Total Builders Resource. OHC is your one-stop solution provider for fireplaces, windows, doors, insulation, millwork, interior hardware, and more. And, we install it, too.", "id": "309"}} +{"put": "id:msmarco:passage::310", "fields": {"text": "Consolidated Builders Supply Brands and Showroom. All our products have the name brand quality you can trust. The products we provide come from reputable manufacturers like Marvin Windows and Doors, Windsor Windows and Doors, and Integrity Windows and Doors (from Marvin).", "id": "310"}} +{"put": "id:msmarco:passage::311", "fields": {"text": "Fox Building Supply is your number one stop for all of your building supplies. We\u2019ve been providing friendly service and low prices for all of your home and building needs! Family owned and established in 1971, we are very experienced within our community and we welcome the opportunity to help you with all your home building or remodeling needs.", "id": "311"}} +{"put": "id:msmarco:passage::312", "fields": {"text": "If you need vinyl windows, aluminum windows, or even wood windows, we can custom fit your selection to the dimensions necessary. You can trust our expert team to take care of all your home window needs. That\u2019s right, we\u2019ll say it again. We carry vinyl windows, aluminum windows, wood windows, and steel windows.", "id": "312"}} +{"put": "id:msmarco:passage::313", "fields": {"text": "Service After The Sale - Always! The products you need, when you need them. Contractors Supply Co. is a locally, family-owned business serving the State of Oklahoma since 1956. We are the leader in supplying commercial construction supplies, tools, equipment and building materials in our industry.", "id": "313"}} +{"put": "id:msmarco:passage::314", "fields": {"text": "Aluminum, Vinyl, Wood Windows and More. Are you in the market for replacing your current windows, or needing new windows in general? Consolidated Builders Supply takes it to heart when producing the best of the best windows for consumers. It\u2019s important to us that the materials we use withhold the initial wear and tear, weather, and even the test of time.", "id": "314"}} +{"put": "id:msmarco:passage::315", "fields": {"text": "Service After The Sale - Always! Contractors Supply Co. is a locally, family-owned business serving the State of Oklahoma since 1956. We are the leader in supplying commercial construction supplies, tools, equipment and building materials in our industry.", "id": "315"}} +{"put": "id:msmarco:passage::316", "fields": {"text": "Ln \u2013 $17.00 \u2022 Includes Fabrication Galley Kitchen. Ln \u2013 $19.00 \u2022 Includes Fabrication L-Shaped Or U-Shaped Kitchen. Huge Selection of Tile and Slabs of Granite to choose from. Too much inventory to show online, stop in today to see our selection.", "id": "316"}} +{"put": "id:msmarco:passage::317", "fields": {"text": "Local: 405-525-7431. Contractors Supply Co. is a locally, family-owned business serving the State of Oklahoma since 1956. We are the leader in supplying commercial construction supplies, tools, equipment and building materials in our industry.", "id": "317"}} +{"put": "id:msmarco:passage::318", "fields": {"text": "With 9 stores in four states, Metro Appliances & More has the buying power to offer the lowest possible price on more than 50 major brands of appliances including GE, Whirlpool, Samsung, LG, Bosch, Thermador, SubZero, Wolf and more.", "id": "318"}} +{"put": "id:msmarco:passage::319", "fields": {"text": "Wilson writes: David Frost met Jill St. John at Darrin McGavin's birthday party in Los Angeles, saw her the next two nights, too, and took her to the Bistro.... is seen with Henry Kissinger dining at the Sans Souci and the Jockey Club and lunching at Le Provencal.", "id": "319"}} +{"put": "id:msmarco:passage::320", "fields": {"text": "Natalie was in love with her husband, Robert Wagner, and while she was working doubly hard for the two of them because he wasn't bringing in any money at the time, while she worked on two films, she hardly had time for love affairs.", "id": "320"}} +{"put": "id:msmarco:passage::321", "fields": {"text": "Robert Wagner has been married to Jill St. John since May 26, 1990. They have been married for 26.8 years. Robert Wagner.", "id": "321"}} +{"put": "id:msmarco:passage::322", "fields": {"text": "Robert Wagner Admits He Plotted To Kill Warren Beatty - Starpulse.com. Oh, he thinks he's good. He thinks he can put stories in books of lies, telling tales about how he waited outside Warren Beatty's house with a gun, when in fact, for the timing of his story, Beatty wasn't even in the country.", "id": "322"}} +{"put": "id:msmarco:passage::323", "fields": {"text": "An incredible piece of 1960s eye candy, Jill St. John absolutely smoldered on the big screen, a trendy, cosmopolitan presence in lightweight comedy, spirited adventure and spy intrigue who appeared alongside some of Hollywood's most handsome male specimens.", "id": "323"}} +{"put": "id:msmarco:passage::324", "fields": {"text": "columnist Walter Winchell writes: Jill St. John and Bob Evans had some of us fooled when they said they merely were making personal appearances on tour for the Inn of the Sixth Happiness movie. But that's how these things start. Back here in town they are inseparable..", "id": "324"}} +{"put": "id:msmarco:passage::325", "fields": {"text": "Jill St. John is the only actress to have appeared in a live-action Batman production and an EON-produced Bond film. She appeared in the pilot for the Batman (1966) TV series, with Adam West and in Diamonds Are Forever (1971). Jill and Robert Wagner officially became an item on Valentine's Day 1982.", "id": "325"}} +{"put": "id:msmarco:passage::326", "fields": {"text": "Marti Rulli, Author: Goodbye Natalie Goodbye Splendour (Natalie Wood) Goodbye Natalie Goodbye Splendour is the poignant story of a young, cavalier adventurer, Dennis Davern, who landed the position of Splendour Captain and how the Wagner family welcomed him into their hearts and home.", "id": "326"}} +{"put": "id:msmarco:passage::327", "fields": {"text": "Harrison tells that Bob Neal flew into town for a month and he's trying to get a date with Jill St. John. Jill's latest gift from Lance is a pearl and diamond necklace. Her birthday gift to Lance (beside the gag present of one share of Woolworth stock) was six solid gold buttons designed to be put on a blazer..", "id": "327"}} +{"put": "id:msmarco:passage::328", "fields": {"text": "It was, after all, supposed to be a happy occasion. So then why was everybody boohooing? There was joy, certainly, but perhaps those were also tears of relief at Robert (R.J.) Wagner\u2019s wedding to longtime love Jill St. John last weekend at his west Los Angeles ranch. It has been, after all, eight years since the couple began going steady in the shock and grief that followed the 1981 drowning death of Wagner\u2019s wife, actress Natalie Wood.", "id": "328"}} +{"put": "id:msmarco:passage::329", "fields": {"text": "10/18/2015 https://frameset.next.ecollege.com/(NEXT(187cf8279e))/Main/AllMode/FramesetHybrid/GeneralFramesetView.ed data:text/html\u037echarset=utf\u00ad8,%3Ctable%20cellspacing%3D%220%22%20cellpadding%3D%220%22%20width%3D%22100%25%22%20border%3D%220%22\u2026 1/3 1. Question : FDR\u2019s first 100 days in office was a remarkable period of legislative activity.", "id": "329"}} +{"put": "id:msmarco:passage::330", "fields": {"text": "the dust bowl was caused partially by the great depression, due to the depression, farmers were trying to make maximum profit, so they cut down trees to get more land, planted too much, and let cattle graze too much, and that took out all the roots holding the soil together, causing the soil to loosen into dust and blow everywhere.", "id": "330"}} +{"put": "id:msmarco:passage::331", "fields": {"text": "The Dust Bowl drought of the 1930s was one of the worst environmental disasters of the Twentieth Century anywhere in the world. Three million people left their farms on the Great Plains during the drought and half a million migrated to other states, almost all to the West.", "id": "331"}} +{"put": "id:msmarco:passage::332", "fields": {"text": "What were the two basic causes of the Dust Bowl during the early 1930s? strip mining and toxic chemical dumping over farming and drought urban sprawl and - 333667 1", "id": "332"}} +{"put": "id:msmarco:passage::333", "fields": {"text": "Drought Conditions. While not a direct cause of the Great Depression, the drought that occurred in the Mississippi Valley in 1930 was of such proportions that many could not even pay their taxes or other debts and had to sell their farms for no profit to themselves. The area was nicknamed The Dust Bowl..", "id": "333"}} +{"put": "id:msmarco:passage::334", "fields": {"text": "2016-01-15T12:11:18-05:00. Assuming that this is referring to the same list of options that was posted before with this question, the correct response would be applying dryland farming techniques to agriculture, since a lack of such measures was in fact a major source of the devastation. Report.", "id": "334"}} +{"put": "id:msmarco:passage::335", "fields": {"text": "What were the two basic causes of the Dust Bowl during the early 1930s? strip mining and toxic chemical dumping over farming and drought urban sprawl and overpopulation deforestation and railway construction", "id": "335"}} +{"put": "id:msmarco:passage::336", "fields": {"text": "What?! There is no Declaration of Independence?! What if... Select two of the grievances from the list in the lesson below: No trials by jury Not able to trade freely Unfair taxes ...", "id": "336"}} +{"put": "id:msmarco:passage::337", "fields": {"text": "2015-03-09T21:42:19-04:00. Severe drought and failure to apply dryland farming methods to prevent wind erosion were the reasons for the Dust Bowl. So the correct answer would be toxic chemical dumping over farms and drought urban sprawl. Report.", "id": "337"}} +{"put": "id:msmarco:passage::338", "fields": {"text": "http://www.enotes.com/history/q-and-a/what-were-causes-dust-bowl-1930s-35681 Well, the Great Depression of the 1930s was one of the main factors that caused the Dust Bowl of the same period but it was not the MAIN CONTRIBUTING factor that lead to the ecological disaster.", "id": "338"}} +{"put": "id:msmarco:passage::339", "fields": {"text": "1 You can only upload files of type PNG, JPG, or JPEG. 2 You can only upload files of type 3GP, 3GPP, MP4, MOV, AVI, MPG, MPEG, or RM. 3 You can only upload photos smaller than 5 MB. You can only upload videos smaller than 600MB.", "id": "339"}} +{"put": "id:msmarco:passage::340", "fields": {"text": "On this page you can learn to speak Tahitian words, and French phrases and words, that will be most useful. Further down you will find some French words that will help you to read food items on a menu (so the surprises on your plate are good ones!).", "id": "340"}} +{"put": "id:msmarco:passage::341", "fields": {"text": "Rarotongan (M\u0101ori K\u016bki '\u0100irani) Rarotongan or Cook Islands Maori is an Polynesian language spoken on the island of Rarotonga in the Cook Islands. It's closely related to Taihitian and Maori. Some sources classify Rarotongan as a dialect of Cook Islands Maori (M\u0101ori K\u016bki '\u0100irani). Other Cook Islands Maori dialects are Rakahanga-Manihiki; Tongareva dialect (Penrhyn); Ngaputoru dialects of Atiu, Mitiaro and Mauke; Aitutaki; and Mangaia.", "id": "341"}} +{"put": "id:msmarco:passage::342", "fields": {"text": "1 We are experiencing some problems, please try again. 2 You can only upload files of type PNG, JPG, or JPEG. 3 You can only upload files of type 3GP, 3GPP, MP4, MOV, AVI, MPG, MPEG, or RM. You can only upload photos smaller than 5 MB.", "id": "342"}} +{"put": "id:msmarco:passage::343", "fields": {"text": "1 You can only upload videos smaller than 600MB. 2 You can only upload a photo (png, jpg, jpeg) or a video (3gp, 3gpp, mp4, mov, avi, mpg, mpeg, rm). 3 You can only upload a photo or a video. Video should be smaller than 600mb/5 minutes.", "id": "343"}} +{"put": "id:msmarco:passage::344", "fields": {"text": "1 We are experiencing some problems, please try again. 2 You can only upload files of type PNG, JPG, or JPEG. 3 You can only upload files of type 3GP, 3GPP, MP4, MOV, AVI, MPG, MPEG, or RM. 4 You can only upload photos smaller than 5 MB. You can only upload videos smaller than 600MB.", "id": "344"}} +{"put": "id:msmarco:passage::345", "fields": {"text": "But remember that you will get the rapport of the Polynesians more easily by using some words from the Tahitian language rather than trying to speak French. Also, it will make your trip easier (and less embarrassing) if you know some of the following Tahiti French phrases:", "id": "345"}} +{"put": "id:msmarco:passage::346", "fields": {"text": "1 You can only upload photos smaller than 5 MB. 2 You can only upload videos smaller than 600MB. 3 You can only upload a photo (png, jpg, jpeg) or a video (3gp, 3gpp, mp4, mov, avi, mpg, mpeg, rm). You can only upload a photo or a video.", "id": "346"}} +{"put": "id:msmarco:passage::347", "fields": {"text": "The official languages of Tahiti and her islands are French and Tahitian. Although French is used in schools and business, the Tahitian language is still preferred by most islanders in their homes.", "id": "347"}} +{"put": "id:msmarco:passage::348", "fields": {"text": "Talk the Tahitian Language. If you learn some Tahitian words from the Tahitian language you will make a good impression with the locals. Before you fly off on your Bora Bora vacation have some fun memorizing a few useful Tahiti French phrases as well.", "id": "348"}} +{"put": "id:msmarco:passage::349", "fields": {"text": "Water going from a gas to a liquid: Condensation. Water going from a gas to a solid: Deposition. In each phase change there will be either an absorption or release of latent heat. Latent heat absorption cools the surrounding air while latent heat release warms the surrounding air.", "id": "349"}} +{"put": "id:msmarco:passage::350", "fields": {"text": "The melting point of a substance is the temperature at which it changes from. a solid to a liquid. a liquid to a solid. a gas to a solid. a solid to a gas. The boiling point of a substance is the temperature at which it changes from. a liquid to a gas. a liquid to a solid. a gas to a solid. a solid to a liquid. When a gas is compressed it changes state into a. liquid.", "id": "350"}} +{"put": "id:msmarco:passage::351", "fields": {"text": "American Chemical Society 3. Welcome. Free online resource for teaching. basic concepts in chemistry at the. middle school level. Six chapters of activity-based lesson. plans which align with state standards. in physical science and inquiry. Two main goals: \u2022 Help students understand common. every day observations on the. molecular level. \u2022 Help students design and conduct.", "id": "351"}} +{"put": "id:msmarco:passage::352", "fields": {"text": "The term sublimation refers to a physical change of state and is not used to describe transformation of a solid to a gas in a chemical reaction. For example, the dissociation on heating of solid ammonium chloride into hydrogen chloride and ammonia is not sublimation but a chemical reaction.", "id": "352"}} +{"put": "id:msmarco:passage::353", "fields": {"text": "Sublimation (phase transition) Sublimation is the phase transition of a substance directly from the solid to the gas phase without passing through the intermediate liquid phase. Sublimation is an endothermic process that occurs at temperatures and pressures below a substance's triple point in its phase diagram.", "id": "353"}} +{"put": "id:msmarco:passage::354", "fields": {"text": "Boiling Evaporation and Condensation. Evaporation is the change of phase from liquid to gas. Evaporation occurs only at the surface of the water and at every temperature. However, evaporation is directly proportional to the temperature, increasing in the temperature increasing in the rate of evaporation.", "id": "354"}} +{"put": "id:msmarco:passage::355", "fields": {"text": "Sublimation is the change of state from solid to gas. Some of the solid matters change their states directly to the gas with the gained heat. For example, dry ice (frozen CO2) sublimate when heat is given. Inverse of this process is called deposition, in which gas matters lost heat and change their phase to solid.", "id": "355"}} +{"put": "id:msmarco:passage::356", "fields": {"text": "CHANGE OF STATE. Evaporation, condensation, sublimation, freezing, and melting are changes of state. Evaporation is the changing of liquid water to invisible water vapor. Condensation is the reverse process. Sublimation is the changing of ice directly to water vapor, or water vapor to ice, bypassing the liquid state in each process. Snow or ice crystals result from the sublimation of water vapor directly to the solid state. We are all familiar with freezing and melting processes.", "id": "356"}} +{"put": "id:msmarco:passage::357", "fields": {"text": "Introduce the process of condensation. If students do not know what the process of condensation is, you can tell them it is the opposite of evaporation. In evaporation, a liquid (like water) changes state to become a gas (water vapor). In condensation, a gas (like water vapor) changes state to become a liquid (water). Explain that as water molecules in the air cool and slow down, their attractions overcome their speed and they join together, forming liquid water. This is the process of condensation.", "id": "357"}} +{"put": "id:msmarco:passage::358", "fields": {"text": "hai friend, from your points, melting, boiling and sublimation are the process done when heat taken in for transition of state of matter from solid to liquid, liquid to gas and solid to gas respectively, also evaporation comes in this section. Condensation and freezing are done when heat gone out. best regards.", "id": "358"}} +{"put": "id:msmarco:passage::359", "fields": {"text": "Dr. Antonio Ramada, MD http://d1ffafozi03i4l.cloudfront.net/img/silhouettes/silhouette-male_w120h160_v1.jpg Visit Healthgrades for information on Dr. Antonio Ramada, MD.ops, you entered a bad link for Dr. Ramada! The link you entered contains bad characters or identifiers. Please enter the link exactly as it appears in your email or text message.", "id": "359"}} +{"put": "id:msmarco:passage::360", "fields": {"text": "301-797-2500. 1718 Underpass Way, Hagerstown, MD 21740 \u2022 301-797-2500 \u2022 Hotel Fax: 301-797-6209. The Ramada Plaza-Hagerstown, MD is Located just off I-81 at Exit 5-A, .5 miles North of I-70 on the Western Side of Hagerstown.This Hagerstown Hotel is convenient to Historic Downtown Hagerstown, Hagerstown Premium Outlets, the Valley Mall, and the Hagerstown Regional Airport.Nearby Attractions include Antietam National Battlefield, Harpers Ferry, Fort Frederick State Historical Site, and the Crystal Grottoes Cavern.his Hagerstown Hotel is convenient to Historic Downtown Hagerstown, Hagerstown Premium Outlets, the Valley Mall, and the Hagerstown Regional Airport. Nearby Attractions include Antietam National Battlefield, Harpers Ferry, Fort Frederick State Historical Site, and the Crystal Grottoes Cavern.", "id": "360"}} +{"put": "id:msmarco:passage::361", "fields": {"text": "9 Facts About Hospital Quality. Patients\u2019 risk of dying during a hospital stay for heart bypass surgery could be 85.2% lower, on average, at a hospital rated 5 stars compared to a hospital rated 1 star for that procedure.Choosing the right hospital is critical to your health.ops, you entered a bad link for Dr. Ramada! The link you entered contains bad characters or identifiers. Please enter the link exactly as it appears in your email or text message.", "id": "361"}} +{"put": "id:msmarco:passage::362", "fields": {"text": "Dr. Marco Lopez Sr., MD http://d1ffafozi03i4l.cloudfront.net/img/silhouettes/silhouette-male_w120h160_v1.jpg Visit Healthgrades for information on Dr. Marco Lopez Sr., MD. Find Phone & Address information, medical practice history, affiliated hospitals and more.Save Saved.hank You. This confirms that we have received your survey about Dr. Lopez Sr.. Please note: Your insights will help other patients make informed decisions. Please note: it may take 1 business day for your survey response to appear.", "id": "362"}} +{"put": "id:msmarco:passage::363", "fields": {"text": "Detailed Information. NPI Number 1578763462 has the \u201cIndividual\u201d type of ownership and has been registered to the following primary business legal name (which is a provider name or healthcare organization name) \u2014 DR. LETICIA A PORET MD PA.Records indicate that the provider gender is \u201cFemale\u201d .ou can get information about the owner of the 1578763462 NPI number \u2014 DR. LETICIA A PORET MD PA in the PDF and Text formats.", "id": "363"}} +{"put": "id:msmarco:passage::364", "fields": {"text": "Detailed Information. NPI Number 1356536031 has the \u201cIndividual\u201d type of ownership and has been registered to the following primary business legal name (which is a provider name or healthcare organization name) \u2014 NILDA A GUERRA-CAVAZOS MD.Records indicate that the provider gender is \u201cFemale\u201d .he fax number associated with the mailing address of the provider being identified. This data element may contain the same information as ''Provider location address fax number''.", "id": "364"}} +{"put": "id:msmarco:passage::365", "fields": {"text": "Oops, you entered a bad link for Dr. Ramada! The link you entered contains bad characters or identifiers. Please enter the link exactly as it appears in your email or text message.ops, you entered a bad link for Dr. Ramada! The link you entered contains bad characters or identifiers. Please enter the link exactly as it appears in your email or text message.", "id": "365"}} +{"put": "id:msmarco:passage::366", "fields": {"text": "You can get information about the owner of the 1578763462 NPI number \u2014 DR. LETICIA A PORET MD PA in the PDF and Text formats.ou can get information about the owner of the 1578763462 NPI number \u2014 DR. LETICIA A PORET MD PA in the PDF and Text formats.", "id": "366"}} +{"put": "id:msmarco:passage::367", "fields": {"text": "You can get information about the owner of the 1356536031 NPI number \u2014 NILDA A GUERRA-CAVAZOS MD in the PDF and Text formats.he fax number associated with the mailing address of the provider being identified. This data element may contain the same information as ''Provider location address fax number''.", "id": "367"}} +{"put": "id:msmarco:passage::368", "fields": {"text": "Patients\u2019 risk of dying during a hospital stay for heart bypass surgery could be 85.2% lower, on average, at a hospital rated 5 stars compared to a hospital rated 1 star for that procedure.Choosing the right hospital is critical to your health.hank You. This confirms that we have received your survey about Dr. Lopez Sr.. Please note: Your insights will help other patients make informed decisions. Please note: it may take 1 business day for your survey response to appear.", "id": "368"}} +{"put": "id:msmarco:passage::369", "fields": {"text": "The Koepka Genealogy and Family Tree Page. Welcome to the Koepka Family page at Surname Finder, a service of Genealogy Today. Our editors have compiled this checklist of genealogical resources, combining links to commercial databases along with user-contributed information and web sites for the Koepka surname.", "id": "369"}} +{"put": "id:msmarco:passage::370", "fields": {"text": "Brooks Koepka (born May 3, 1990) is an American professional golfer. He is ranked inside the top-25 in the Official World Golf Ranking and chose a different route than other young Americans to get mainstay status on the PGA Tour, by starting his career on the European Challenge Tour and eventually the European Tour.", "id": "370"}} +{"put": "id:msmarco:passage::371", "fields": {"text": "Last name: Born. This ancient name is of Anglo-Saxon origin, and is one of the earliest topographical surnames existing today. The derivation is from the Old English pre 7th Century burna, burne, spring, stream, which was originally used as a topographic name for someone who lived beside a stream.", "id": "371"}} +{"put": "id:msmarco:passage::372", "fields": {"text": "Many things can go wrong when a record collection is indexed. If you're having diffculty finding Koepka ancestors in a particular database at one site, try finding it on another and compare the results.", "id": "372"}} +{"put": "id:msmarco:passage::373", "fields": {"text": "In the North, however, the word burn is still used for a stream. Some instances of the modern surname, found as Bown(e), Burn(e), Burns, Born(e), Boorne, Burner and Bo(u)rner, may be locational in origin, from a place named from being beside a stream.", "id": "373"}} +{"put": "id:msmarco:passage::374", "fields": {"text": "DNA testing for genealogy continues to improve. If you had some of your Koepka relatives tested several years ago, it may be worthwhile to have them retested. Likewise, as DNA testing companies have gathered more results and samples, you may be able to find more matches if you search again with your test results.", "id": "374"}} +{"put": "id:msmarco:passage::375", "fields": {"text": "Last name: Born. Tweet. This ancient name is of Anglo-Saxon origin, and is one of the earliest topographical surnames existing today. The derivation is from the Old English pre 7th Century burna, burne, spring, stream, which was originally used as a topographic name for someone who lived beside a stream.", "id": "375"}} +{"put": "id:msmarco:passage::376", "fields": {"text": "Nike athlete Brooks Koepka carved out a 1-under-par 34-35=69 in the final round of the Travelers Championship to post 10-under 270, down three into a two-way T9, four back of champion Russell Knox. The 26-year-old began the finale on 9-under (T6), six back of overnight leader Daniel Berger.", "id": "376"}} +{"put": "id:msmarco:passage::377", "fields": {"text": "As additional sources for vital records, original documents, vintage photographs and surname-based DNA projects are discovered, this page is updated to offer the best list for researching Koepka ancestry.", "id": "377"}} +{"put": "id:msmarco:passage::378", "fields": {"text": "Early years and amateur career[edit] Koepka was born in West Palm Beach, Florida but raised in Lake Worth, Florida. He attended Cardinal Newman High School. He played college golf at Florida State University where he won three events and was a three-time All-American. He qualified for the 2012 U.S. Open while still an amateur, but missed the cut.", "id": "378"}} +{"put": "id:msmarco:passage::379", "fields": {"text": "A symphony is a large, multi-movement work for orchestra. It calls for instruments from all four sections (winds, strings, percussion, and brass) and explores a complete range of melody, harmony, rhythm, dynamics, and timbre. That seems like a basic definition, but even that already has a number of exceptions.", "id": "379"}} +{"put": "id:msmarco:passage::380", "fields": {"text": "So we generally have either Fast-Slow-Fast-Fast or Fast-Fast-Slow-Fast. There are also different types of Key-schemes through the symphony. A good example of a classical key-scheme would be the 1st, 3rd and 4th movements are in the tonic key, but the 2nd movement and the trio of the 3rd movement are in the subdominant.", "id": "380"}} +{"put": "id:msmarco:passage::381", "fields": {"text": "Some composers, including Dmitri Shostakovich, Sergei Rachmaninoff, and Carl Nielsen, continued to write in the traditional four-movement form, while other composers took different approaches: Jean Sibelius' Symphony No. 7, his last, is in one movement, whereas Alan Hovhaness's Symphony No. 9, Saint Vartan\u2014originally op. 80, changed to op. 180\u2014composed in 1949\u201350, is in twenty-four.", "id": "381"}} +{"put": "id:msmarco:passage::382", "fields": {"text": "A symphony is divided into four movements; the first movement is usually fast, the second one is slow, the third is medium, and the fourth movement is fast. This pace is intended to keep the listener...", "id": "382"}} +{"put": "id:msmarco:passage::383", "fields": {"text": "Lastly, the finale introduces a percussion group that is meant to be (and in the S.F. Symphony performances actually was) under the stage. It is the ticking clock on individual existence and it plays in a different tempo from the rest of the orchestra.", "id": "383"}} +{"put": "id:msmarco:passage::384", "fields": {"text": "Sonata Form. Sonata form is used in many types of large-scale instrumental works of the late 18th century and the 19th century, including: Symphonies, which are technically Sonatas for Orchestra. Most Concertos are written in a modified 3-movement Sonata form, excluding the Minuet/Scherzo movement.", "id": "384"}} +{"put": "id:msmarco:passage::385", "fields": {"text": "An orchestra (/\u02c8\u0254\u02d0rk\u1d7bstr\u0259/ or US: /\u02c8\u0254\u02d0r\u02cck\u025bstr\u0259/; Italian: ) is a large instrumental ensemble typical of classical music, which mixes instruments from different families, including bowed string instruments such as violin, viola, cello and double bass, as well as brass, woodwinds, and percussion instruments, each grouped in sections.", "id": "385"}} +{"put": "id:msmarco:passage::386", "fields": {"text": "Indeed, after Schumann's last symphony, the Rhenish composed in 1850, for two decades the Lisztian symphonic poem appeared to have displaced the symphony as the leading form of large-scale instrumental music.", "id": "386"}} +{"put": "id:msmarco:passage::387", "fields": {"text": "Believe it or not, there is a way to understand Beethoven's genius past the first eight notes. As you'll soon discover, a symphony is a form of classical music. Form is the arrangement of sections within a piece of music, and understanding how these sections work together can help the listener make sense of what the composer was trying to express.", "id": "387"}} +{"put": "id:msmarco:passage::388", "fields": {"text": "1 Symphonic composition during the mature Classical period (roughly the late 18th to the early 19th century) was overwhelmingly dominated by Joseph Haydn, Wolfgang Amadeus Mozart, and Ludwig van Beethoven.", "id": "388"}} +{"put": "id:msmarco:passage::389", "fields": {"text": "The word convict here (elegcw /elegxo) means to bring to light or expose error often with the idea of reproving or rebuking. It brings about knowledge of believing or doing something wrong, but it does not mean that the person will respond properly to that knowledge. Our usage of the English word, convict, is similar.", "id": "389"}} +{"put": "id:msmarco:passage::390", "fields": {"text": "The first problem is the meaning of anothen: is it \u201cagain\u201d or \u201cfrom above\u201d? The occurrence of this same word in 3:31 with the unquestioned meaning \u201cfrom above\u201d quickly tilts the evidence in that direction. It also has that meaning in 19:11, 23.", "id": "390"}} +{"put": "id:msmarco:passage::391", "fields": {"text": "The word translated \u201ccomfort\u201d by the NASU translators was parakaleo (an AAS3S). It was translated as \u201ccomfort\u201d by the NASU (and NASB), KJV, NKJV, YLT (Young\u2019s Literal Translation), and the BBE (Bible in Basic English) and \u201cencourage\u201d by the NET, NIV, NLT, ESV, NJB (New Jerusalem Bible), NRSV, and the RSV.", "id": "391"}} +{"put": "id:msmarco:passage::392", "fields": {"text": "In 16:9, the problematic elegxo occurs: \u201cin every instance the verb has to do with showing someone his sin, usually as a summons to repentance\u201d (Carson, John, 537). Therefore, to convict the world is shaming it and attempting to persuade it of its guiltiness, and in this way \u201ccalling it to repentance\u201d (ibid.).", "id": "392"}} +{"put": "id:msmarco:passage::393", "fields": {"text": "However, Louw & Nida include Luke 8:41 under 33.315: \u201cto ask a person to accept offered hospitality \u2013 \u2018to invite.\u2019\u201d But parakaleo does not mean invite here, but simply to urge, implore, or even beg someone to do something.", "id": "393"}} +{"put": "id:msmarco:passage::394", "fields": {"text": "The Ministry of the Holy Spirit John 16:4b-15 Introduction. This morning our scripture reading and special music have all been related to Palm Sunday in celebration of the day that Jesus made His triumphal entry into Jerusalem. That certainly was a special and exciting day.", "id": "394"}} +{"put": "id:msmarco:passage::395", "fields": {"text": "The word elegxo refers to \u201cnot only exposure but shame and conviction\u201d (Carson, John, 207). The Evangelist continues (3:20) by saying that those who refuse the Light actually hate the Light. This is followed by a contrast with those who \u201cpractice the truth.\u201d", "id": "395"}} +{"put": "id:msmarco:passage::396", "fields": {"text": "The previous use of this word in the FG was at 13:10. In 15:5, being \u201capart from\u201d the vine is contextually the opposite of abiding. The idea of being apart from the vine contains slight connotations to being the opposite of repentance.", "id": "396"}} +{"put": "id:msmarco:passage::397", "fields": {"text": "Those additional things that Jesus wanted to say would come through the ministry of the Holy Spirit. Here in verse 13 the Spirit is again called the Spirit of Truth, but here Jesus adds that the Spirit will guide them into all truth.", "id": "397"}} +{"put": "id:msmarco:passage::398", "fields": {"text": "If so, then 1:4b is a reference to personal holiness and not positional holiness. However, contextually, positional holiness seems to be the much preferred reading. For example, while 1:4 says that His choosing leads to our holiness, 1:5 says that Him predestining us leads to our adoption \u2026 a positional concept.", "id": "398"}} +{"put": "id:msmarco:passage::399", "fields": {"text": "Latrobe, Pennsylvania Population: Census 2010 and 2000 Interactive Map, Demographics, Statistics, Quick Facts Compare population statistics about Latrobe, PA by race, age, gender, Latino/Hispanic origin etc. CensusViewer delivers detailed demographics and population statistics from the 2010 Census, 2000 Census, American Community Survey (ACS), registered voter files, commercial data sources and more.", "id": "399"}} +{"put": "id:msmarco:passage::400", "fields": {"text": "The population density in Latrobe is 1153% higher than Pennsylvania. The median age in Latrobe is 8% higher than Pennsylvania. In Latrobe 97.58% of the population is Caucasian. In Latrobe 0.95% of the population is African American. In Latrobe 0.36% of the population is Asian.", "id": "400"}} +{"put": "id:msmarco:passage::401", "fields": {"text": "Latrobe population breakdown by race. In Latrobe, 0.3% of people are of Hispanic or Latino origin. Please note: Hispanics may be of any race, so also are included in any/all of the applicable race categories above.", "id": "401"}} +{"put": "id:msmarco:passage::402", "fields": {"text": "Beneath the boundary map are tables with Latrobe population, income and housing data, five-year growth projections and peer comparisons for key demographic data. The estimates are for July 1, 2017. Neighborhood Data", "id": "402"}} +{"put": "id:msmarco:passage::403", "fields": {"text": "Latrobe, PA has a population of 8,237 and is the 4,561st largest city in the United States. The population density is 3,557 per sq mi which is 1153% higher than the Pennsylvania average and 3826% higher than the national average. The median age in Latrobe is 44 which is approximately 8% higher than the Pennsylvania average of 40.", "id": "403"}} +{"put": "id:msmarco:passage::404", "fields": {"text": "In Latrobe, 58% of the population over 15 years of age are married, 98% speak English and 0% speak Spanish. 85% of Latrobe residents were born in Pennsylvania, 13% were born out of state, 0% were born outside of the United States and 1% were foreign born.", "id": "404"}} +{"put": "id:msmarco:passage::405", "fields": {"text": "The Borough of Latrobe had a population of 8,086 as of July 1, 2017. Latrobe ranks in the upper quartile for Population Density when compared to the other cities, towns and Census Designated Places (CDPs) in Pennsylvania. See peer rankings below. The primary coordinate point for Latrobe is located at latitude 40.3124 and longitude -79.3826 in Westmoreland County.", "id": "405"}} +{"put": "id:msmarco:passage::406", "fields": {"text": "4.70%. 1 In Latrobe, 0.3% of people are of Hispanic or Latino origin. Please note: Hispanics may be of any race, so also are included in any/all of the applicable race categories above. 2 Source: The Latrobe, PA demographics data displayed above is derived from the United States Census Bureau.", "id": "406"}} +{"put": "id:msmarco:passage::407", "fields": {"text": "Latrobe, Pennsylvania Population: Census 2010 and 2000 Interactive Map, Demographics, Statistics, Quick Facts. Compare population statistics about Latrobe, PA by race, age, gender, Latino/Hispanic origin etc. CensusViewer delivers detailed demographics and population statistics from the 2010 Census, 2000 Census, American Community Survey (ACS), registered voter files, commercial data sources and more.", "id": "407"}} +{"put": "id:msmarco:passage::408", "fields": {"text": "Compare population statistics about Latrobe, PA from the 2010 and 2000 census by race, age, gender, Latino/Hispanic origin etc.", "id": "408"}} +{"put": "id:msmarco:passage::409", "fields": {"text": "Sherman Poppen attached two skis together in Muskegon, Mich., in 1965. His wife christened it the Snurfer and the kids loved it. He may have been inspired by a sled-like device made of plywood that first appeared in the 1920s. Poppen may have made the first snowboard; many say that he did. He certainly took a step in the evolution of snowboards. Dutch native Dimitrije Milovich, who slid down the hills of Ithaca, N.Y., on trays from the Cornell cafeteria, also seems to have strong claim on the first actual snowboard.", "id": "409"}} +{"put": "id:msmarco:passage::410", "fields": {"text": "exists and is an alternate of . Jack Burchett built a snowboard like sled in 1929. He did this by taking a piece of plywood and used horse reigns to tie the feet to the board. The next snowboard like sled was invented in 1965 by Sherman Poppen called the Snurfer. The Snurfer is often credited as being the first snowboard. Jack Burchett built a snowboard like sled in 1929. He did this by taking a piece of plywood and used horse reigns to tie the feet to the board. The Snurfer is often credited as being the first snowboard.", "id": "410"}} +{"put": "id:msmarco:passage::411", "fields": {"text": "Snowboard toe-strap bindings were invented in the last few years. Discover the lure of snowboard toe-strap bindings from a snowboarding enthusiast in... Choose the right snowboard bindings with tips ... Snowboards & Snowboarding Equipment; Snowboard Bindings; ...", "id": "411"}} +{"put": "id:msmarco:passage::412", "fields": {"text": "He added bindings to keep their boots secure. (Randy Lee October 14, 2014) The Snurfer was believed to be fairly simple and had no bindings, but this is debatable. It is widely accepted that Jake Burton Carpenter (founder of Burton Snowboards) and/or Tom Sims (founder of Sims Snowboards) invented modern snowboarding. In 1981, a couple of Winterstick team riders went to France at the invitation of Alain Gaimard, marketing director at Les Arcs.", "id": "412"}} +{"put": "id:msmarco:passage::413", "fields": {"text": "Who Invented Snowboarding? Tom Sims invented snowboarding when he built the first snowboard in 1963. Growing up in New Jersey, the young surfer and skateboarder became frustrated when ice and snow prevented him from pursuing his passion for board sports during the winter months.", "id": "413"}} +{"put": "id:msmarco:passage::414", "fields": {"text": "Digital Vision/Digital Vision/Getty Images. Tom Sims invented snowboarding when he built the first snowboard in 1963. Growing up in New Jersey, the young surfer and skateboarder became frustrated when ice and snow prevented him from pursuing his passion for board sports during the winter months.", "id": "414"}} +{"put": "id:msmarco:passage::415", "fields": {"text": "The next major advance came in 1982, when Sims put metal edges on his snowboard so it could be used in a wider variety of snow conditions. He went on to improve and expand the sport over the years, introducing new snowboarding styles, bindings and designs.", "id": "415"}} +{"put": "id:msmarco:passage::416", "fields": {"text": "The first real ski technology for snowboards was introduced by Burton and Winterstick in 1980. Their new prototype had a P-Tex base. In 1982 the first international snowboard race was held in Suicide Six, outside of Woodstock, Vermont.", "id": "416"}} +{"put": "id:msmarco:passage::417", "fields": {"text": "By 1986, although still very much a minority sport, commercial snowboards started appearing in leading French ski resorts. In 2008, selling snowboarding equipment was a $487 million industry. In 2008, average equipment ran about $540 including board, boots, and bindings.", "id": "417"}} +{"put": "id:msmarco:passage::418", "fields": {"text": "Snowboards are boards that are usually the width of one's foot longways, with the ability to glide on snow. Snowboards are differentiated from monoskis by the stance of the user. In monoskiing, the user stands with feet inline with direction of travel (facing tip of monoski/downhill) (parallel to long axis of board), whereas in snowboarding, users stand with feet transverse (more or less) to the longitude of the board.", "id": "418"}} +{"put": "id:msmarco:passage::419", "fields": {"text": "Hedy Lamarr: Movie star, inventor of WiFi. Hollywood is a place where folks are often recognized more for their looks than their talent - and actress Hedy Lamarr was no exception. But it's what she invented in her spare time - to help end that war - that has history turning a kinder eye, linking her to a bombshell of a whole different sort. Lee Cowan reports: She possessed the kind of beauty that was haunting - an almost smoldering sensuality, with an exotic accent to match.", "id": "419"}} +{"put": "id:msmarco:passage::420", "fields": {"text": "The typical Wi-Fi setup contains one or more Access Points (APs) and one or more clients. An AP broadcasts its SSID (Service Set Identifier, Network name) via packets that are called beacons, which are broadcasted every 100ms.", "id": "420"}} +{"put": "id:msmarco:passage::421", "fields": {"text": "Wi-Fi or WiFi (/\u02c8wa\u026a fa\u026a/) is a technology that allows electronic devices to connect to a wireless LAN (WLAN) network, mainly using the 2.4 gigahertz (12 cm) UHF and 5 gigahertz (6 cm) SHF ISM radio bands.", "id": "421"}} +{"put": "id:msmarco:passage::422", "fields": {"text": "Also the firmware running on the client Wi-Fi card is of influence. Say two AP's of the same SSID are in range of the client, the firmware may decide based on signal strength (Signal-to-noise ratio) to which of the two AP's it will connect.", "id": "422"}} +{"put": "id:msmarco:passage::423", "fields": {"text": "exists and is an alternate of . The precursor to Wi-Fi was invented in 1991 by the military and used commercially in 1999. The idea began in the 1980s. The precursor to Wi-Fi was invented in 1991 by the military and used commercially in 1999. The idea began in the 1980s.", "id": "423"}} +{"put": "id:msmarco:passage::424", "fields": {"text": "The first version of the wireless protocol's legacy is now obsolete and would be considered dreadfully slow by today\u2019s standards. It had a maximum data transfer rate of 2 Mbps, or Megabits per second. Most applications created today would not be able to operate efficiently at those speeds.", "id": "424"}} +{"put": "id:msmarco:passage::425", "fields": {"text": "But where did it come from? In 1985, the technology called 802.11 was made available for use due to a U.S. Federal Communication Commission ruling, which released the three bands of the radio spectrum now used for nearly all wireless communication: 900 MHz, 2.4 GHz, and 5 GHz.", "id": "425"}} +{"put": "id:msmarco:passage::426", "fields": {"text": "Following are a few facts about WiFi: Back in 1991 Wi-Fi was invented by NCR Corporation/AT&T (later on Lucent & Agere Systems) in Nieuwegein, the Netherlands. Initially meant for cashier systems the first wireless products were brought on the market under the name WaveLAN with speeds of 1Mbps/2Mbps. Vic Hayes who is the inventor of Wi-Fi has been named 'father of Wi-Fi' and was with his team involved in designing standards such as IEEE 802.11b, 802.11a and 802.11g.", "id": "426"}} +{"put": "id:msmarco:passage::427", "fields": {"text": "When the IEEE was formed in 1990, they chose Vic Hayes, also popularly known as the Father of Wi-Fi, as its chairman. For the next ten years, Hayes helped direct the development of new wireless protocols as well as market the technology worldwide.", "id": "427"}} +{"put": "id:msmarco:passage::428", "fields": {"text": "Wireless Revolution: The History of WiFi. Believe it or not, there was a time when if you wanted to get on the Internet your only option was to have a phone cable or Ethernet cable plugged directly into your computer or laptop.", "id": "428"}} +{"put": "id:msmarco:passage::429", "fields": {"text": "So that's what Bezirksschornsteinfegermeister means. What was once the longest word in the German language, a tongue consisting of many ridiculously lengthy words, is no more. A regional parliament recently repealed the legislative measure, which was established in 1999, rendering the word obsolete.", "id": "429"}} +{"put": "id:msmarco:passage::430", "fields": {"text": "This earns the word a Guinness World Record. It is also one of the longest monosyllabic words of the English language. 8 Euouae is six letters long, but all of the letters are vowels. It holds two Guinness World Records.", "id": "430"}} +{"put": "id:msmarco:passage::431", "fields": {"text": "14 of the Longest Words in English. Yes, this article is about some of the longest English words on record. No, you will not find the very longest word in English in this article. That one word would span about fifty-seven pages. It\u2019s the chemical name for the titin protein found in humans. Its full name has 189,819 letters.", "id": "431"}} +{"put": "id:msmarco:passage::432", "fields": {"text": "Question: What is the longest word in Spanish? Answer: The answer depends on what you mean by the longest word, but regardless of your definition the longest word isn't superextraordinar\u00edsimo, the 22-letter word once listed in a famous recordbook and the word that was usually cited as the longest in the language. (It means most superextraordinary.)", "id": "432"}} +{"put": "id:msmarco:passage::433", "fields": {"text": "A man has been recorded spending more than three hours to pronounce what is supposedly the longest word in the English language. 'Methionylthreonylthreonylglutaminylarginyl...isoleucine' is the chemical name of 'titin' (also known as 'connectin') - the largest known protein.", "id": "433"}} +{"put": "id:msmarco:passage::434", "fields": {"text": "The 7 Longest Words In The English Language. Before we start, we thought that we should clarify a few points about our selection. Some of these words have been coined, some are scientific terms (which aren't part of everyday conversation) and some do actually appear in the dictionary.", "id": "434"}} +{"put": "id:msmarco:passage::435", "fields": {"text": "The longest word in the Oxford English Dictionary is 'pneumonoultramicroscopicsilicovolcanoconiosis' at 45 letters long. 'Supercalifragilisticexpialidocious', made famous by Mary Poppins, is 34 letters long. > 'Amazeballs', 'mummy porn', 'frenemy' make Collins online dictionary.", "id": "435"}} +{"put": "id:msmarco:passage::436", "fields": {"text": "The classic longest German word is Donaudampfschiffahrtsgesellschaftskapit\u00e4n, which in English becomes four words: Danube steamship company captain.. More than most other languages, German tends to string words together to form new vocabulary. All languages, including English, do this to some extent, but German takes it to new extremes.", "id": "436"}} +{"put": "id:msmarco:passage::437", "fields": {"text": "What was once the longest word in the German language, a tongue consisting of many ridiculously lengthy words, is no more. The term rindfleischetikettierungs\u00fcberwachungsaufgaben\u00fcbertragungsgesetz \u2014 that's 63 letters long for those of you keeping track at home \u2014 means the law for the delegation of monitoring beef labeling..", "id": "437"}} +{"put": "id:msmarco:passage::438", "fields": {"text": "Another reason why there really isn't a single longest German word: German numbers, long or short, are written as one word. For example, to say or write the number 7,254, not really a very long number, the German is siebentausendzweihundertvierundf\u00fcnfzig, a single word of 38 letters.", "id": "438"}} +{"put": "id:msmarco:passage::439", "fields": {"text": "US Zip Code. In the US, the zip codes, also know as ZIP Code 5 or Zip Code 5 plus 4 are usefull to organize the mail delivery process. Germany was the first into use the system, followed by the US, in the 60's. AL - Alabama.", "id": "439"}} +{"put": "id:msmarco:passage::440", "fields": {"text": "There are a number of synonyms for postal code; some are country-specific. 1 Postal code: The general term is used in Canada. 2 Postcode: This solid compound is popular in many English-speaking countries and is also the standard term in the Netherlands. Eircode: The standard term in Ireland.", "id": "440"}} +{"put": "id:msmarco:passage::441", "fields": {"text": "Your ZIP code is. Hi, my name is Jonatan Heyman. I made this website in a few hours on a train, while commuting to Stockholm. More than once I've needed the zip code/postal code for the place I\u2019m currently at, and the swedish postal service\u2019s website is pretty bad. This is my attempt to solve this problem. I've also made a canadian specific postal code website for finding Canada postal codes.", "id": "441"}} +{"put": "id:msmarco:passage::442", "fields": {"text": "What is a zip code/postal code? In the United States of America a zipcode is five or nine numbers that are added to a postal address to assist the sorting of mail. There are currently about 43,000 zipcode. This tool can also find the postal code of many other countries.", "id": "442"}} +{"put": "id:msmarco:passage::443", "fields": {"text": "In the US, the zip codes, also know as ZIP Code 5 or Zip Code 5 plus 4 are usefull to organize the mail delivery process. Germany was the first into use the system, followed by the US, in the 60's. 1 AL - Alabama. AK - Alaska.", "id": "443"}} +{"put": "id:msmarco:passage::444", "fields": {"text": "At US ZIP Codes you can search ZIP Codes to send mail and looking up US Cities and US Addresses Zip + 4 zip codes. The ZIP Code is a unique number that distinguishes cities accross the world. Almost every country uses a ZIP Codes sytem, with some exceptions like Ireland or Hong Kong.", "id": "444"}} +{"put": "id:msmarco:passage::445", "fields": {"text": "What's my Zip Code - Find the zip code of your current location. We have found the zip code you are likely in using your general area. To get your exact zipcode please share your location. You can also find the zipcode of any address or point clicked on the map. Searching for a city may not give you a result as there are many zip codes within a city. if this is the case click within the city limits to find the zip code of that spot.", "id": "445"}} +{"put": "id:msmarco:passage::446", "fields": {"text": "Most of the postal code systems are numeric; only a few are alphanumeric (i.e. use both letters and digits). Alphanumeric systems can, given the same number of characters, encode many more locations. For example: with a 2 digit numeric code we could code 10 x 10= 100 locations.", "id": "446"}} +{"put": "id:msmarco:passage::447", "fields": {"text": "In some countries (such as those of continental Europe, where a numeric postcode format of four or five digits is commonly used) the numeric postal code is sometimes prefixed with a country code when sending international mail to that country.", "id": "447"}} +{"put": "id:msmarco:passage::448", "fields": {"text": "A postal code (also known locally in various English-speaking countries throughout the world as a postcode, post code, Eircode, PIN Code or ZIP Code ) is a series of letters and/or digits, sometimes including spaces or punctuation, included in a postal address for the purpose of sorting mail.", "id": "448"}} +{"put": "id:msmarco:passage::449", "fields": {"text": "100 Famous Scottish People. This is a list of 100 famous Scottish people. This includes people who were born in Scotland, but also people born outside of Scotland, but who spent considerable time living there and identified with a Scottish identity.rom the perspective of Scottish history, Robert the Bruce or William Wallace have been very influential. In modern times, it is probably Alex Salmond. If you want to make a suggestion about who should be in list (or who shouldn\u2019t) you can leave a comment below. 1.", "id": "449"}} +{"put": "id:msmarco:passage::450", "fields": {"text": "Famous Scottish people. Scotland has produced a large number of well known people across all industries from philosophy, music, film and science.View our galleries and see how many of them you can name.amous Scottish people. Scotland has produced a large number of well known people across all industries from philosophy, music, film and science.", "id": "450"}} +{"put": "id:msmarco:passage::451", "fields": {"text": "Famous Scottish People-Historical Figures. There are so many famous Scottish people throughout history that of course it's impossible for us to list them all! Instead we've picked out a handful (or two) of famous Scots who have played significant roles in Scotland's past......Charles Edward Stuart (Bonnie Prince Charlie) (1720 - 1788). Grandson of King James VII, and a direct descendant of Robert the Bruce, also known as the 'Young Pretender'.hey've also been 'big' in the world of music, poetry, politics, sports, drama (the acting variety!) and much more. On this page you'll find a list of famous Scottish people in history, politics, and music/literature.", "id": "451"}} +{"put": "id:msmarco:passage::452", "fields": {"text": "The 10 most famous Scottish actors have made a definite impact on the film industry, included in this list not just because of their heritage, but because of their talent as well. Hollywood is rife with actors and actresses from all across the globe and Scotland has contributed many of the entertainment industry\u2019s best.1 Sean Connery Born in Fountainbridge, Edinburgh, Connery is by far and away the most famous Scottish actor of our time.ollywood is rife with actors and actresses from all across the globe and Scotland has contributed many of the entertainment industry\u2019s best. 1 Sean Connery Born in Fountainbridge, Edinburgh, Connery is by far and away the most famous Scottish actor of our time.", "id": "452"}} +{"put": "id:msmarco:passage::453", "fields": {"text": "Perhaps the most influential person from a global perspective is David Hume (philosopher) or Adam Smith (economist). From the perspective of Scottish history, Robert the Bruce or William Wallace have been very influential.In modern times, it is probably Alex Salmond.If you want to make a suggestion about who should be in list (or who shouldn\u2019t) you can leave a comment below. 1.rom the perspective of Scottish history, Robert the Bruce or William Wallace have been very influential. In modern times, it is probably Alex Salmond. If you want to make a suggestion about who should be in list (or who shouldn\u2019t) you can leave a comment below. 1.", "id": "453"}} +{"put": "id:msmarco:passage::454", "fields": {"text": "ArmstrongThe head of this powerful Border family was killed by King James V. Baxter Baxter was (and is) a common name in Angus as Forfar was at one time a royal residence and the first Baxters there may well have been royal bakers. Borthwick The family is thought to be one of the most ancient in Scotland.mithSmith is the most common surname in Scotland (and in England and the USA). Stevenson / Stephenson / Stephen A well known and frequently found surname in Scotland. Stewart/Stuart The most famous occupational name in Scotland and a line of kings and queens which lasted for nearly 350 years.", "id": "454"}} +{"put": "id:msmarco:passage::455", "fields": {"text": "45. Many of Scotland\u2019s most famous inventions \u2013 kilts, tartans and bagpipes-were actually developed elsewhere. Kilts originated in Ireland, tartans have been found in Bronze Age central Europe and bagpipes are thought to have come from ancient central Asia.46.5. Many of Scotland\u2019s most famous inventions \u2013 kilts, tartans and bagpipes-were actually developed elsewhere. Kilts originated in Ireland, tartans have been found in Bronze Age central Europe and bagpipes are thought to have come from ancient central Asia. 46.", "id": "455"}} +{"put": "id:msmarco:passage::456", "fields": {"text": "It ranked 319th most popular name England and Wales in 1996 and 684th most popular in 2014. It has been moderately popular in the United Stated and was listed in the top 100 boys names in the U.S. in 2005.t ranked 319th most popular name England and Wales in 1996 and 684th most popular in 2014. It has been moderately popular in the United Stated and was listed in the top 100 boys names in the U.S. in 2005.", "id": "456"}} +{"put": "id:msmarco:passage::457", "fields": {"text": "Scotland has limited self-government within the United Kingdom, as well as representation in the UK Parliament. Executive and legislative powers respectively have been devolved to the Scottish Government and the Scottish Parliament at Holyrood in Edinburgh since 1999.he Scotland Office represents the UK government in Scotland on reserved matters and represents Scottish interests within the UK government. The Scotland Office is led by the Secretary of State for Scotland, who sits in the Cabinet of the United Kingdom; the current incumbent is David Mundell.", "id": "457"}} +{"put": "id:msmarco:passage::458", "fields": {"text": "William Wallace, Defender of Scottish independence. Considering how small Scotland is, you may be a bit surprised to see how many historically significant roles have been played by famous Scots, but we're not! Apparently we're a very intelligent, resourceful, creative and dedicated group....hey've also been 'big' in the world of music, poetry, politics, sports, drama (the acting variety!) and much more. On this page you'll find a list of famous Scottish people in history, politics, and music/literature.", "id": "458"}} +{"put": "id:msmarco:passage::459", "fields": {"text": "Confidence votes 199. A pathologist must complete undergraduate of 4 years, medical school of 4 years and a residency in clinical, anatomical, or clinical/anatomical pathology of 3-4 years. Fellowships in forensics, blood banking, and other areas are typically a year long and are done following residency.", "id": "459"}} +{"put": "id:msmarco:passage::460", "fields": {"text": "How Much Pathologists Earn. Pathologists' earnings vary slightly based on the type of pathology they practice. According to the MGMA (Medical Group Management Association), median annual earnings are about $279,000 for anatomic pathologists and $252,00 for clinical pathologists.", "id": "460"}} +{"put": "id:msmarco:passage::461", "fields": {"text": "A Pathologist in the MD/DO sense is someone who diagnoses pathologies in patients, or it can be academic. I believe that a PhD is pathology is the scientific pursuit of understanding pathological mechanisms, and developments. Not diagnoses in a clinical sense. Apr 4, 2012. #2. link2swim06 7+ Year Member 3,250.", "id": "461"}} +{"put": "id:msmarco:passage::462", "fields": {"text": "Mar 9, 2008. Do I have to go to medical school and get MD to become a pathologist? (like molecular or clinical pathologist..) I saw graduate programs that offer PhD or MS in pathology..", "id": "462"}} +{"put": "id:msmarco:passage::463", "fields": {"text": "If your career goal is to become a pathologist's assistant, you will need to get the appropriate training first. This is a good career choice for someone who is methodical and who has an interest in science.", "id": "463"}} +{"put": "id:msmarco:passage::464", "fields": {"text": "Salary Range and Outlook. New program graduate salaries range from $75,000 to $90,000 with experienced pathologists\u2019 assistants earning $100,000 or more annually. Factors that influence a pathologists\u2019 assistant\u2019s salary include experience, workload, setting and regional cost of living. Sign-on, retention and annual bonuses are commonplace.", "id": "464"}} +{"put": "id:msmarco:passage::465", "fields": {"text": "Once students are finished their post-secondary training to become a pathologist's assistant, they may need to be certified by the state where will be working to be fully qualified. An online search can give you more information about the requirements for becoming certified to do this kind of work.", "id": "465"}} +{"put": "id:msmarco:passage::466", "fields": {"text": "Therefore, all pathologists must have completed a medical degree from an accredited medical school, and have completed clinical training in pathology. The duration of medical residency training in pathology is four to five years after the completion of medical school. While autopsies are a large component of pathologists' work, performing autopsies is actually only part of what pathologists do.", "id": "466"}} +{"put": "id:msmarco:passage::467", "fields": {"text": "Career and Economic Outlook. According to PayScale.com, the median annual income of a pathology assistant was $69,098 in January 2016. The U.S. Bureau of Labor Statistics (BLS) predicts that employment opportunities for medical and clinical laboratory technicians will increase by 18% between 2014 and 2024.", "id": "467"}} +{"put": "id:msmarco:passage::468", "fields": {"text": "Second-year students who are in training to become a pathologist's assistant will get the opportunity to work in an autopsy room, assisting with these procedures. They learn how to prepare medical specimens by dissecting them.", "id": "468"}} +{"put": "id:msmarco:passage::469", "fields": {"text": "What I found shocked me! The data show that soil temperatures reached 52 degrees F. on Feb. 24 in 2000, Feb. 25 in 2001, Mar. 14 in 2002 and Mar. 4 in 2003. My timing advice has been wrong ! To get good crabgrass control in Atlanta you should apply the pre-emergent on March 1, not March 15.Otherwise the seed will sprout beforehand\u2026.and most pre-emergent chemicals do not control crabgrass seedlings.hat I found shocked me! The data show that soil temperatures reached 52 degrees F. on Feb. 24 in 2000, Feb. 25 in 2001, Mar. 14 in 2002 and Mar. 4 in 2003. My timing advice has been wrong ! To get good crabgrass control in Atlanta you should apply the pre-emergent on March 1, not March 15.", "id": "469"}} +{"put": "id:msmarco:passage::470", "fields": {"text": "The key is the timing. Pre-emergent herbicides MUST be applied BEFORE crabgrass seed germinate. If Bob and other lawn owners choose one of the products above and put it out on March 1, 2004. I think summer crabgrass control will be much better.hat I found shocked me! The data show that soil temperatures reached 52 degrees F. on Feb. 24 in 2000, Feb. 25 in 2001, Mar. 14 in 2002 and Mar. 4 in 2003. My timing advice has been wrong ! To get good crabgrass control in Atlanta you should apply the pre-emergent on March 1, not March 15.", "id": "470"}} +{"put": "id:msmarco:passage::471", "fields": {"text": "If you're using herbicide, apply a pre-emergent shortly before annual weeds, such as crabgrass, begin to grow in the spring. A good rule is to apply the pre-emergent before the dogwoods begin to bloom. You may decide to use a pre-emergent combined with fertilizer as an early lawn treatment.f you're using herbicide, apply a pre-emergent shortly before annual weeds, such as crabgrass, begin to grow in the spring. A good rule is to apply the pre-emergent before the dogwoods begin to bloom. You may decide to use a pre-emergent combined with fertilizer as an early lawn treatment.", "id": "471"}} +{"put": "id:msmarco:passage::472", "fields": {"text": "Scotts Halts Crabgrass Preventer. When to Apply: Apply in early spring to prevent crabgrass all season long. For most areas this is going to be from early March until mid May. So it can vary from March 1st-May 20th.Crabgrass seeds can germinate when nighttime soil temperatures reach over 50 degrees for 3 days.uidelines to Apply: There are guidelines to applying Scotts Halts Crabgrass Preventer. Always apply in early spring from March to May. Either before dandelions reach the puffball stage or before Forsythia blooms. Forsythia is usually the first flowering shrub that blooms in the spring.", "id": "472"}} +{"put": "id:msmarco:passage::473", "fields": {"text": "A pre-emergent herbicide is a weed killer applied prior to the emergence of the weed from the soil. Chemicals like dithopyr (Dimension) and pendimethalin (Pre-M, Scotts' Halts) prevent all seeds from germinating, including grass seed. pre-emergent herbicide is a weed killer applied prior to the emergence of the weed from the soil. Chemicals like dithopyr (Dimension) and pendimethalin (Pre-M, Scotts' Halts) prevent all seeds from germinating, including grass seed.", "id": "473"}} +{"put": "id:msmarco:passage::474", "fields": {"text": "1 Wait two to four months to re-seed the lawn after using a pre-emergent herbicide. 2 Use a pre-emergent herbicide during late winter or during early spring of the next year to prevent any crabgrass seeds left behind from developing at the next opportunity.f the crabgrass seeds have already sprouted and crabgrass has appeared in your grass, the pre-emergent herbicide will do no good. However, you still have an option. Post-emergent herbicide products control crabgrass after it has already germinated. Post-emergent herbicides work by killing the crabgrass plants.", "id": "474"}} +{"put": "id:msmarco:passage::475", "fields": {"text": "When to Apply Crabgrass Preventer. Crabgrass seeds germinate in the early Spring when the temperature of the surface soil rises into the 50s and 60s. Once the seeds germinate, the opportunity for prevention is passed. So, applying the preemergent early is key.rabgrass seeds germinate in the early Spring when the temperature of the surface soil rises into the 50s and 60s. Once the seeds germinate, the opportunity for prevention is passed. So, applying the preemergent early is key.", "id": "475"}} +{"put": "id:msmarco:passage::476", "fields": {"text": "Even a lawn that is largely crabgrass free should be treated with pre-emergent, I believe, as crabgrass seeds are easily transported to a lawn in autumn by wind, rain, birds, pets and so on.Too, crabgrass seeds can lay dormant for years, waiting for prime conditions to sprout.ven a lawn that is largely crabgrass free should be treated with pre-emergent, I believe, as crabgrass seeds are easily transported to a lawn in autumn by wind, rain, birds, pets and so on.", "id": "476"}} +{"put": "id:msmarco:passage::477", "fields": {"text": "For Early and Best Control. Crabgrass seeds can germinate each year when nighttime soil temperatures reach over 50 degrees for 3 days. This \u201cwakes up\u201d the seed, and starts it on its process of growing up to be your worst nightmare.Note, the seed \u201ccan\u201d germinate at that point.reen Light Crabgrass Preventer covers up 5,000 sq. ft. with a 10 lb. bag, and is safe to use on all lawn types. (IMPORTANT! See note below.). This is one of the few companies that provides the pre-emergent alone, as most want to sell you a combination product with fertilizer.", "id": "477"}} +{"put": "id:msmarco:passage::478", "fields": {"text": "Guidelines to Apply: There are guidelines to applying Scotts Halts Crabgrass Preventer. Always apply in early spring from March to May. Either before dandelions reach the puffball stage or before Forsythia blooms. Forsythia is usually the first flowering shrub that blooms in the spring.uidelines to Apply: There are guidelines to applying Scotts Halts Crabgrass Preventer. Always apply in early spring from March to May. Either before dandelions reach the puffball stage or before Forsythia blooms. Forsythia is usually the first flowering shrub that blooms in the spring.", "id": "478"}} +{"put": "id:msmarco:passage::479", "fields": {"text": "The DNA polymerases are enzymes that create DNA molecules by assembling nucleotides, the building blocks of DNA. These enzymes are essential to DNA replication and usually work in pairs to create two identical DNA strands from a single original DNA molecule.", "id": "479"}} +{"put": "id:msmarco:passage::480", "fields": {"text": "DNA polymerases are responsible for adding nucleotides to the strands of new DNA being created. They are also responsible for replacing the RNA primers with DNA.", "id": "480"}} +{"put": "id:msmarco:passage::481", "fields": {"text": "DNA polymerase is the enzyme that joins nucleotides together to make a new DNA strand. Other proteins separate the original DNA strands, but DNA polymerase makes new DNA.", "id": "481"}} +{"put": "id:msmarco:passage::482", "fields": {"text": "answered Mar 8, 2012 by hcbiochem Level 2 User (2,140 points). DNA polymerase is the enzyme that joins nucleotides together to make a new DNA strand. Other proteins separate the original DNA strands, but DNA polymerase makes new DNA.", "id": "482"}} +{"put": "id:msmarco:passage::483", "fields": {"text": "How might the double-helix structure of DNA make that possible? Copying the Code What role does DNA polymerase play in copying DNA? DNA polymerase is an __________________ that joins individual nucleotides to produce a new strand of DNA.", "id": "483"}} +{"put": "id:msmarco:passage::484", "fields": {"text": "The second two activities of DNA Pol I are important for replication, but DNA Polymerase III (Pol III) is the enzyme that performs the 5'-3' polymerase function.", "id": "484"}} +{"put": "id:msmarco:passage::485", "fields": {"text": "DNA ligase is responsible for joining together fragments of DNA. In DNA replication, after the primers are replaced by DNA Polymerase I, DNA ligase assists in the formation ph \u2026 osphodiester bonds between the fragments. This is essential for creating one continuous strand.", "id": "485"}} +{"put": "id:msmarco:passage::486", "fields": {"text": "A number of proteins are associated with the replication fork, which helps in terms of the initiation and continuation of DNA synthesis. One protein, the DNA polymerase, creates the new DNA by adding complementary nucleotides to the template strand.", "id": "486"}} +{"put": "id:msmarco:passage::487", "fields": {"text": "The role that enzymes plays in DNA replication is that the enzyme helicase breaks hydrogen bonds between the complementary bases, and the chains separate.", "id": "487"}} +{"put": "id:msmarco:passage::488", "fields": {"text": "DNA polymerase is the primary enzyme responsible for DNA replication. Two of its major roles are: the polymerization of dNTP's or deoxyribonucleotides, and to proofread th \u2026 e new copies.", "id": "488"}} +{"put": "id:msmarco:passage::489", "fields": {"text": "It certainly depends on how the Chinese respond.... If they're seen to be basically positive, this represents a chance to improve U.S.-China relations that hasn't existed since the fall of the Soviet Union in 1991, and indeed since 1989, with the Tianamen massacre.", "id": "489"}} +{"put": "id:msmarco:passage::490", "fields": {"text": "He is China's ambassador to the United States. ...We think that China-American relationship should move forward in the interests of both sides. But China is a country which suffered a lot in the past. China country, like the United States, jealously guards its own sovereignty and territory, integrity and dignity.", "id": "490"}} +{"put": "id:msmarco:passage::491", "fields": {"text": "China and the united states will find common cause, but in others they will have different interests. in those. cases, China is now less likely than it was, say, a decade ago, to defer to the united states. the united states is not ignoring China.", "id": "491"}} +{"put": "id:msmarco:passage::492", "fields": {"text": "The total distance from United States to Beijing, China is 6,667 miles. This is equivalent to 10 730 kilometers or 5,794 nautical miles. Your trip begins in the United States. It ends in Beijing, China. Your flight direction from United States to Beijing, China is Northwest (-25 degrees from North). The distance calculator helps you figure out how far it is to fly from United States to Beijing, China. It does this by computing the straight line flying distance (as the crow flies).", "id": "492"}} +{"put": "id:msmarco:passage::493", "fields": {"text": "There are clearly elements within the Bush administration, and within Congress, who see China as the next great enemy for America. We think China is not an enemy of the United States, and neither is the United States an enemy of China.", "id": "493"}} +{"put": "id:msmarco:passage::494", "fields": {"text": "Once when you decide, that you want to travel by road, it is important to manage the travel expenses. You can calculate the Trip Cost from China to United States using this trip cost calculator. * The above is an approximate. Road Conditions, Diversions, Weather Conditions, Traffic, etc. affect distance.", "id": "494"}} +{"put": "id:msmarco:passage::495", "fields": {"text": "Surprisingly close! The United States and Russia are just a few kilometers apart! The island of Big Diomede is in Russian territory, and not far away is Little Diomede, which is part of the United States. At their closest points, the two islands are about 3.8 km (2.4 mi) apart. If you could handle the cold water, you could swim from the USA to Russia! See the Google map here:", "id": "495"}} +{"put": "id:msmarco:passage::496", "fields": {"text": "First of all, our relations with China have been, and will remain for the foreseeable future to be mixed, to be a complex combination of cooperation and contention. So the first thing is, don't ever expect a kind of nirvana of peaceful, cooperative productive U.S.-China relations.", "id": "496"}} +{"put": "id:msmarco:passage::497", "fields": {"text": "China and the United States are engaged in a major gamble with each other. The United States is gambling that, with increased engagement and especially with increased trade, it'll become a more liberal society and more open society.", "id": "497"}} +{"put": "id:msmarco:passage::498", "fields": {"text": "Our driving directions finder will provide you with Directions from China to United States! After knowing all the above factors, it is also important that you know for how much time you will have to travel. You can find the Travel Time from China to United States.", "id": "498"}} +{"put": "id:msmarco:passage::499", "fields": {"text": "These are some of the most common symptoms of rotator cuff injury, which may cause pain in your left arm or shoulder (10): 1 Sudden sharp shooting pain in the shoulder region. The pain of rotator cuff injury radiates from your shoulder towards the arm and elbow. 2 Painful movements of shoulder joint.", "id": "499"}} +{"put": "id:msmarco:passage::500", "fields": {"text": "Occurring on your right or left sides, armpit pain can be symptom. There are a number of natural remedies that can help treat shingles. 11. Inflamed Hair Follicles. Your armpit is home to a very high concentration of hair follicles that are prone to infection.", "id": "500"}} +{"put": "id:msmarco:passage::501", "fields": {"text": "The inflammation causes armpit pain, lumps, and is typically a reaction to a fungal, viral, or bacterial infection. Lymphadenitis can occur anywhere in the body, so the armpits can also be affected because of the concentration of lymph nodes in the area .", "id": "501"}} +{"put": "id:msmarco:passage::502", "fields": {"text": "Severe pain from neck into shoulder dull ache down right arm for 8 weeks now getting pins and needles in right hand is this a trapped nerve? Dr. Stephen Cohen Dr. Cohen 1 doctor agreed:", "id": "502"}} +{"put": "id:msmarco:passage::503", "fields": {"text": "In addition, this pain can be experienced by male and female, children and adults but some causes may be more specific to women or men. On location, the pain could be on the right left or the right armpit and can extend to nearby parts such as chest, shoulder, breast and other parts. Finally, it can be mild, chronic or sharp shooting depending on the causes. Let us now look at the common causes of pain in armpit.", "id": "503"}} +{"put": "id:msmarco:passage::504", "fields": {"text": "As a sufferer at the moment of an ache in the armpit caused by what has been diagnosed at two lymph nodes trapping a couple of veins, added to the fact that Im also a Non Hod. Lyphoma patient, I would STRONGLY recommend that that posting earlier about massaging is totally ignored.", "id": "504"}} +{"put": "id:msmarco:passage::505", "fields": {"text": "A person with arm pain experiences soreness, itching, numbness, or discomfort in the structures of the arm. Arm pain is usually caused by an injury, irritation, or inflammation of the skin, muscles, bones, or joints in the arm, although everyday activities, including typing, writing, working with tools, playing sports, lifting heavy objects, or exercising can cause arm pain.", "id": "505"}} +{"put": "id:msmarco:passage::506", "fields": {"text": "Shoulder dislocation \u2013 Shoulder dislocation can cause sharp armpit and arm pain, weakens, numbness, swelling. It might also cause nerve damages. Viral infections \u2013 \u201cInfections such as AIDS, chickenpox, typhoid, measles and other infections caused by a virus can cause a dull pain in the armpit\u201d [med-health.net].", "id": "506"}} +{"put": "id:msmarco:passage::507", "fields": {"text": "Causes of Armpit Pain 1. Glandular Infections. If the sweat glands become infected with bacteria it can cause inflammation. Excessive sweating, poor hygiene or exposure to high heat can cause this problem to occur. If the glands are infected in the armpit it can lead to a hardened patch or boils accompanied by a dull, radiating pain. 2. Lymphoma", "id": "507"}} +{"put": "id:msmarco:passage::508", "fields": {"text": "This could be something as simple as sleeping on your arm wrong causing irritation to a portion of your brachial plexus. Need physical exam to be sure. Dull ache in right armpit - What could cause dull ache in left armpit?", "id": "508"}} +{"put": "id:msmarco:passage::509", "fields": {"text": "Shatter hash and other similar concentrates make up one of the fastest-growing facets of Colorado\u2019s bustling marijuana industry \u2014 but shatter, which can be used for dabbing, is also still quite controversial.", "id": "509"}} +{"put": "id:msmarco:passage::510", "fields": {"text": "A key to making Shatter work the way you want is to use a gradient layer, or a separate layer that tells the Shattter effect how to behave (this will make more sense later on). You can make your gradient layer in Photoshop, Illustrator, or another graphic program, then import the file into After Effects.", "id": "510"}} +{"put": "id:msmarco:passage::511", "fields": {"text": "Shatter hash and other similar concentrates make up one of the fastest-growing facets of Colorado\u2019s bustling marijuana industry \u2014 but shatter, which can be used for dabbing, is also still quite controversial. Shatter can be dangerous to produce, as many have learned after blowing up their garages or hotel rooms.", "id": "511"}} +{"put": "id:msmarco:passage::512", "fields": {"text": "By Ricardo Baca, The Cannabist Staff. Shatter hash and other similar concentrates make up one of the fastest-growing facets of Colorado\u2019s bustling marijuana industry \u2014 but shatter, which can be used for dabbing, is also still quite controversial.", "id": "512"}} +{"put": "id:msmarco:passage::513", "fields": {"text": "Video: How shatter hash is made. Published: By Ricardo Baca, The Cannabist Staff. Shatter hash and other similar concentrates make up one of the fastest-growing facets of Colorado\u2019s bustling marijuana industry \u2014 but shatter, which can be used for dabbing, is also still quite controversial.", "id": "513"}} +{"put": "id:msmarco:passage::514", "fields": {"text": "Concentrate Basics: Shatter, Budder and Oil. As the popularity of concentrates continues to grow, so do questions about the many forms that dabs can take. In this video, we\u2019re taking a closer look at the three main types of concentrates \u2013 Shatter, Budder and Oil.", "id": "514"}} +{"put": "id:msmarco:passage::515", "fields": {"text": "As the popularity of concentrates continues to grow, so do questions about the many forms that dabs can take. In this video, we\u2019re taking a closer look at the three main types of concentrates \u2013 Shatter, Budder and Oil.", "id": "515"}} +{"put": "id:msmarco:passage::516", "fields": {"text": "Published: By Ricardo Baca, The Cannabist Staff. Shatter hash and other similar concentrates make up one of the fastest-growing facets of Colorado\u2019s bustling marijuana industry \u2014 but shatter, which can be used for dabbing, is also still quite controversial.", "id": "516"}} +{"put": "id:msmarco:passage::517", "fields": {"text": " make the shatter layer . MAKE A GRADIENT. A key to making Shatter work the way you want is to use a gradient layer, or a separate layer that tells the Shattter effect how to behave (this will make more sense later on).", "id": "517"}} +{"put": "id:msmarco:passage::518", "fields": {"text": "follow me on instagram @JAHGIFT420 how I finally made stable amber glass bho shatter and hella stoked that I know how to make it every time all I did is use very low temps and got tips from you're boy epicwax and a lot of other people that told me exactly on how they made it.", "id": "518"}} +{"put": "id:msmarco:passage::519", "fields": {"text": "Lauderhill, FL Population and Races. As of 2010-2014, the total population of Lauderhill is 69,082, which is 19.97% more than it was in 2000. The population growth rate is lower than the state average rate of 21.14% and is much higher than the national average rate of 11.61%.", "id": "519"}} +{"put": "id:msmarco:passage::520", "fields": {"text": "Population in households in Lauderhill ; Total Population: 66,295; Male Population: 30,304; Under 5 years: 2,633; 5 to 9 years: 2,228; 10 to 14 years: 2,358; 15 to 17 years: 1,476; 18 and 19 years: 948; 20 years: 437; 21 years: 443; 22 to 24 years: 1,286; 25 to 29 years: 2,116; 30 to 34 years: 1,964; 35 to 39 years: 1,952; 40 to 44 years: 1,929; 45 to 49 years: 2,067; 50 to 54 years: 2,027", "id": "520"}} +{"put": "id:msmarco:passage::521", "fields": {"text": "Population in families living in Lauderhill ; Total Population: 53,115; Population Under 18 years: 16,760; Population 18 years and over: 36,355", "id": "521"}} +{"put": "id:msmarco:passage::522", "fields": {"text": "Unmarried population in Lauderhill under 18 years old in homes ; Total Population: 17,084; Unmarried partner of home lead present: 1,988; In family homes: 1,965; Population of male led and male partner homes: 42; Population of male led and female partner households: 688; Population of female led and female partner households: 91", "id": "522"}} +{"put": "id:msmarco:passage::523", "fields": {"text": "Most / Least Educated Cities in FL. As of 2010-2014, the total population of Lauderhill is 69,082, which is 19.97% more than it was in 2000. The population growth rate is lower than the state average rate of 21.14% and is much higher than the national average rate of 11.61%.", "id": "523"}} +{"put": "id:msmarco:passage::524", "fields": {"text": "Current Lauderhill, Florida Population, Demographics and stats in 2016, 2017.", "id": "524"}} +{"put": "id:msmarco:passage::525", "fields": {"text": "The Lauderhill population density is 8,071.07 people per square mile, which is much higher than the state average density of 294.44 people per square mile and is much higher than the national average density of 82.73 people per square mile. The most prevalent race in Lauderhill is black, which represent 77.74% of the total population. The average Lauderhill education level is lower than the state average and is lower than the national average.", "id": "525"}} +{"put": "id:msmarco:passage::526", "fields": {"text": "1 Content provided by the US Census bureau for the years 2010, 2011, 2012, 2013, 2014 and 2015, 2016. 2 The Census Bureau can also provide statisics and demographics cor the years 2000, 2001, 2002, 2003, 2004, 2005, 2006, 2007, 2008 and 2009 on their website.", "id": "526"}} +{"put": "id:msmarco:passage::527", "fields": {"text": "Population Demographics for Lauderhill, Florida in 2016 and 2017.", "id": "527"}} +{"put": "id:msmarco:passage::528", "fields": {"text": "Total population in Lauderhill ; Total Population: 66,887; Male Population: 30,649; Female Population: 36,238", "id": "528"}} +{"put": "id:msmarco:passage::529", "fields": {"text": "an agricultural implement with teeth or tines for gathering cut grass, hay, or the like or for smoothing the surface of the ground. 2. any of various implements having a similar form, as a croupier's implement for gathering in money on a gaming table.", "id": "529"}} +{"put": "id:msmarco:passage::530", "fields": {"text": "The rake of a roof is the outer edge that runs from the eave to the ridge, or peak, of the roof. It is typically perpendicular to the eave. Continue Reading", "id": "530"}} +{"put": "id:msmarco:passage::531", "fields": {"text": "But you rake a match to light the candle, and that little bit of a noise will fetch him.", "id": "531"}} +{"put": "id:msmarco:passage::532", "fields": {"text": "Rake definition, an agricultural implement with teeth or tines for gathering cut grass, hay, or the like or for smoothing the surface of the ground. See more. Dictionary.com", "id": "532"}} +{"put": "id:msmarco:passage::533", "fields": {"text": "A: A grout rake and an oscillating multitool are good tools for removing grout, according to PopularMechanics. The rake is a hand-held tool recommended for sm... Full Answer >", "id": "533"}} +{"put": "id:msmarco:passage::534", "fields": {"text": "Rake is a software task management tool, similar to Make, etc. in other systems. Rake is Ruby Make, a standalone Ruby utility that replaces the Unix utility 'make', and uses a 'Rakefile' and .rake files to build up a list of tasks. In Rails, Rake is used for common administration tasks, especially sophisticated ones that build off of each other.", "id": "534"}} +{"put": "id:msmarco:passage::535", "fields": {"text": "mid-13c., clear (rubbish, grass, etc.) by raking; gather (grain) by raking, from rake (n.1), or from a lost Old English verb related to it, or from a similar Scandinavian source (cf. Swedish raka, Danish rage rake). Of gunfire from 1630s. Related: Raked; raking. To rake in money or something like it is from 1580s.", "id": "535"}} +{"put": "id:msmarco:passage::536", "fields": {"text": "The rake of a roof is the outer edge that runs from the eave to the ridge, or peak, of the roof. It is typically perpendicular to... An eave is the area of a roof that hangs beyond the exterior wall. The rake of a roof is the outer edge that runs from the eave to the ridge, or peak, of the roof. It is typically perpendicular to...", "id": "536"}} +{"put": "id:msmarco:passage::537", "fields": {"text": "an agricultural implement with teeth or tines for gathering cut grass, hay, or the like or for smoothing the surface of the ground. any of various implements having a similar form, as a croupier's implement for gathering in money on a gaming table.", "id": "537"}} +{"put": "id:msmarco:passage::538", "fields": {"text": "Quick Answer. An eave is the area of a roof that hangs beyond the exterior wall. The rake of a roof is the outer edge that runs from the eave to the ridge, or peak, of the roof. It is typically perpendicular to the eave. The purpose of the eave is to keep rainwater away from the walls of the house.", "id": "538"}} +{"put": "id:msmarco:passage::539", "fields": {"text": "Blood pressure (BP) is the pressure of circulating blood on the walls of blood vessels. When used without further specification, blood pressure usually refers to the pressure in large arteries of the systemic circulation.", "id": "539"}} +{"put": "id:msmarco:passage::540", "fields": {"text": "Calc Function. 1 Calcs that help predict probability of a diseaseDiagnosis. 2 Subcategory of 'Diagnosis' designed to be very sensitiveRule Out. 3 Disease is diagnosed: prognosticate to guide treatmentPrognosis. Numerical inputs and 1 outputsFormula. Med treatment and moreTreatment. Suggested protocolsAlgorithm.", "id": "540"}} +{"put": "id:msmarco:passage::541", "fields": {"text": "Learn more about high blood pressure and its risk factors. It is important for everyone to know the facts about high blood pressure [PDF-255K]. About 75 million American adults (29%) have high blood pressure\u2014that\u2019s 1 of every 3 adults.1.", "id": "541"}} +{"put": "id:msmarco:passage::542", "fields": {"text": "The only way to know (diagnose) if you have high blood pressure (HBP or hypertension) is to have your blood pressure tested. Understanding your blood pressure numbers is key to controlling high blood pressure. Learn what\u2019s considered normal, as recommended by the American Heart Association. Blood Pressure.", "id": "542"}} +{"put": "id:msmarco:passage::543", "fields": {"text": "Blood pressure is influenced by cardiac output, total peripheral resistance and arterial stiffness and varies depending on situation, emotional state, activity, and relative health/disease states. In the short term it is regulated by baroreceptors which act via the brain to influence nervous and endocrine systems.", "id": "543"}} +{"put": "id:msmarco:passage::544", "fields": {"text": "Blood Pressure Levels Vary by Age. Women are about as likely as men to develop high blood pressure during their lifetimes. However, for people younger than 45 years old, the condition affects more men than women. For people 65 years old or older, high blood pressure affects more women than men.2.", "id": "544"}} +{"put": "id:msmarco:passage::545", "fields": {"text": "Your blood pressure numbers and what they mean. Your blood pressure is recorded as two numbers: Systolic blood pressure (the upper number) \u2014 indicates how much pressure your blood is exerting against your artery walls when the heart beats. Diastolic blood pressure (the lower number) \u2014 indicates how much pressure your blood is exerting against your artery walls while the heart is resting between beats.", "id": "545"}} +{"put": "id:msmarco:passage::546", "fields": {"text": "Mean arterial pressure. The mean arterial pressure (MAP) is a term used in medicine to describe an average blood pressure in an individual. It is defined as the average arterial pressure during a single cardiac cycle.", "id": "546"}} +{"put": "id:msmarco:passage::547", "fields": {"text": "Management. 1 Patients with a MAP that is under or above set goal values should be treated with fluids, blood products, vasopressors, inotropes, or vasodilators depending on the clinical scenario.", "id": "547"}} +{"put": "id:msmarco:passage::548", "fields": {"text": "Quick Answer. A normal range for mean arterial blood pressure is 70 to 110, according to GlobalRPh. A minimum of 60 is required to supply enough blood to nourish the coronary arteries, brain and kidneys. If mean arterial pressure falls below 60 for an appreciable length of time, vital organs can be deprived of oxygen.", "id": "548"}} +{"put": "id:msmarco:passage::549", "fields": {"text": "In 1900, with the approval of Western League president Ban Johnson, Charles Comiskey moved the Saints into his hometown neighborhood of Armour Square, Chicago, where they became known as the White Stockings, the former name of Chicago's National League team, the Orphans (now the Chicago Cubs).", "id": "549"}} +{"put": "id:msmarco:passage::550", "fields": {"text": "The White Sox would end May on a high note as they swept the Boston Red Sox at Fenway Park, to improve to 27-31 on June 1st. With a 1-0 win over the Chicago Cubs at Wrigley on July 2nd, the White Sox got back to .500, as Phillip Humber out dueled Matt Garza.", "id": "550"}} +{"put": "id:msmarco:passage::551", "fields": {"text": "Several White Sox teams have received nicknames over the years: 1 The 1906 team were known as the Hitless Wonders, due to their .230 batting average, worst in the American League. 2 The 1919 White Sox are known as the Black Sox, after 8 players were banned from baseball for fixing the 1919 World Series.", "id": "551"}} +{"put": "id:msmarco:passage::552", "fields": {"text": "Original name of the Chicago Cubs, named after the White Stockings that the players wore.", "id": "552"}} +{"put": "id:msmarco:passage::553", "fields": {"text": "1903: The White Stockings struggle all season falling into seventh place with a disappointing record of 60-77. 1904: With their name shortened to White Sox, the team climbs back in to contention finishing within six games of first place with a solid 89-65 record that landed them in third place.", "id": "553"}} +{"put": "id:msmarco:passage::554", "fields": {"text": "The White Sox were originally known as the White Stockings, a reference to the original name of the Chicago Cubs. To fit the name in headlines, local newspapers such as the Chicago Tribune abbreviated the name alternatively to Stox and Sox.", "id": "554"}} +{"put": "id:msmarco:passage::555", "fields": {"text": "Chicago White Sox. One of the American League's eight charter franchises, the Chicago team was established as a major league baseball club in 1900. The club was originally called the Chicago White Stockings, but this was soon shortened to Chicago White Sox.", "id": "555"}} +{"put": "id:msmarco:passage::556", "fields": {"text": "1901: Entering their first season as a Major League franchise the White Sox were the defending champions of the Western League, and it was a clear that in the inaugural season of the American League the Chicago White Sox were the team to beat.", "id": "556"}} +{"put": "id:msmarco:passage::557", "fields": {"text": "The very first season in the American League ended with a White Stockings championship. However, that would be the end of the season as the World Series did not begin until 1903. The franchise, now known as the Chicago White Sox, made its first World Series appearance in 1906, beating the crosstown Cubs in six games.", "id": "557"}} +{"put": "id:msmarco:passage::558", "fields": {"text": "The Chicago White Sox are an American professional baseball team based in Chicago. The White Sox compete in Major League Baseball (MLB) as a member club of the American League (AL) Central division. Home games are held at Guaranteed Rate Field, located on the city's South Side, and the team is owned by Jerry Reinsdorf.", "id": "558"}} +{"put": "id:msmarco:passage::559", "fields": {"text": "The bottle bill falls by the wayside. IF YOU were shopping for beer in, say, the 1940's, you had a pretty simple job. All you did was pick a brand and you were on your way. You paid for the beer and made the deposit on the bottles, and, when you'd emptied the bottles, you'd bring them back and collect the deposit.", "id": "559"}} +{"put": "id:msmarco:passage::560", "fields": {"text": "State Beverage Container Deposit Laws. 12/15/2014. Beverage container deposit laws, or bottle bills, are designed to reduce litter and capture bottles, cans, and other containers for recycling. Ten states and Guam have a deposit-refund system for beverage containers. The chart below contains a citation and summary of each state law.", "id": "560"}} +{"put": "id:msmarco:passage::561", "fields": {"text": "When the House considered the bottle bill in 1977, the bill was supported by only 42 representatives, while 124 others opposed it. This year, after almost two hours of testimony on March 29, the committee again rejected the bottle bill(H.B. 5) by a9-to-4 vote.", "id": "561"}} +{"put": "id:msmarco:passage::562", "fields": {"text": "Oregon Bottle Bill. Carbonated beverage containers, like the plastic bottles shown here, are sold with refundable deposits. The Oregon Bottle Bill is a container-deposit legislation passed in the U.S. state of Oregon in 1971 and amended in 2007. It requires cans, bottles, and other containers of carbonated soft drink, beer, and (since 2009) water sold in Oregon to be returnable with a minimum refund value.", "id": "562"}} +{"put": "id:msmarco:passage::563", "fields": {"text": "Container deposit legislation in the United States. There are ten states in the United States with container deposit legislation, popularly called bottle bills after the Oregon Bottle Bill, the first such legislation that was passed. Efforts to pass container deposit legislation in states that do not have them are often politically contentious.", "id": "563"}} +{"put": "id:msmarco:passage::564", "fields": {"text": "Oregon\u2019s Bottle Bill was introduced in 1971 as the very first bottle bill in the U.S. The bill was created to address a growing litter problem along Oregon beaches, highways and other public areas. Over the years, the Bottle Bill has prompted several other green initiatives.", "id": "564"}} +{"put": "id:msmarco:passage::565", "fields": {"text": "Spurred by the apparent success of the Oregon bill, Vermont, Iowa, Maine, Connecticut, Delaware and Michigan have adopted similar measures in recent years. The California legislature is also considering a bottle bill proposal. Michigan voters approved that state's bottle bill in a binding referendum on November 2, 1976.", "id": "565"}} +{"put": "id:msmarco:passage::566", "fields": {"text": "Because the redemption was 68.26% in 2014 and 64.45% in 2015, the refund value will increase to 10\u00a2 effective April 1, 2017. The same bill further expands the law effective January 1, 2018, that all beverage containers except distilled liquor, wine, dairy or plant-based milk, and infant formula will include a deposit.", "id": "566"}} +{"put": "id:msmarco:passage::567", "fields": {"text": "For nearly 40 years, redemption centers did not exist in Oregon, but early in 2010, the Oregon Liquor Control Commission approved the first experimental distributor-run redemption center in Wood Village, and later, Oregon City.", "id": "567"}} +{"put": "id:msmarco:passage::568", "fields": {"text": "The bite of Oregon's bottle bill: Editorial. Richard Hodges returns cans and bottles to his local supermarket in 2007. If you have curbside recycling and are anything like us, then you've experienced the Bottle Bill Dilemma.", "id": "568"}} +{"put": "id:msmarco:passage::569", "fields": {"text": "There\u2019s no need to go through the preceding set of steps. 1 Internet Explorer is the preferred web browser in Windows. 2 Some programs, such as Internet Explorer, incessantly ask whether you want them to be the defaults every dang doodle time they run, even after you specify another program as the default.", "id": "569"}} +{"put": "id:msmarco:passage::570", "fields": {"text": "To specify which programs are set up in Windows 7 and Windows Vista, follow these steps: 1 Open the Control Panel. 2 Choose Programs, and then beneath the heading Default Programs, click the link Set Your Default Programs. 3 Choose from the list the program you want to use as your web browser. 4 Choose the option Set This Program As Default.", "id": "570"}} +{"put": "id:msmarco:passage::571", "fields": {"text": "There\u2019s no need to go through the preceding set of steps. 1 Internet Explorer is the preferred web browser in Windows. Sometimes, it runs because Windows wants it to run, regardless of which browser you set up as the default web browser.", "id": "571"}} +{"put": "id:msmarco:passage::572", "fields": {"text": "Windows 8 sets its new Mail app as the default email client. This is annoying when you click an email (MailTo) link on a webpage and you\u2019re bounced into the new UI. Here\u2019s how to change it to a different desktop email program like Outlook. Changing the default client from the Mail app to something else is similar to making PDFs and Photos open on the Desktop, or preventing videos and music files from opening in Windows 8 apps.", "id": "572"}} +{"put": "id:msmarco:passage::573", "fields": {"text": "After clicking on Email, it reports that there is no default email program set up in my computer. In Firefox I have set up Gmail as my default and whenever I click on an email address, it opens my Gmail account just fine. Windows Default Program page does not give a Gmail option. Sep 23, 2014, 1:05 PM. I have this same issue, also with a Brother laser printer.", "id": "573"}} +{"put": "id:msmarco:passage::574", "fields": {"text": "Step # 4 -- Try to send any email through your default Email Program In the last step, try to check your default email program. In order to do so, right click on any file and select the Send to option. Now click on the Mail Recipient option from the menu and your default email client program will open in front of your screen.", "id": "574"}} +{"put": "id:msmarco:passage::575", "fields": {"text": "Default email client is the email client your computer uses to send emails when you click on the send email option. There are various email softwares available from which you can choose to set as your default email program. However, if you find that the current email program is not the one which you use then you can change it right away.", "id": "575"}} +{"put": "id:msmarco:passage::576", "fields": {"text": "Though the default programs inventory isn\u2019t specific to Internet programs, you will find Internet programs in the list. Choose from the list the program you want to use as your web browser. One example is Firefox. Choose the option Set This Program As Default. Repeat Steps 3 and 4 for your email program. Click OK. Whenever you install new Internet software, such as a new email program or web browser, it typically asks whether you want it to be the \u201cdefault.\u201d", "id": "576"}} +{"put": "id:msmarco:passage::577", "fields": {"text": "This tutorial will guide you through setting up a default email program in windows for sending emails. Don't forget to check out our site http://howtech.tv/ ... This tutorial will guide you through setting up a default email program in windows for sending emails.", "id": "577"}} +{"put": "id:msmarco:passage::578", "fields": {"text": "You can browse the Internet or pick up your email in more than one way. There are several web browsers available and a number of different local email readers. To specify which programs are set up in Windows 7 and Windows Vista, follow these steps: Open the Control Panel. Choose Programs, and then beneath the heading Default Programs, click the link Set Your Default Programs.", "id": "578"}} +{"put": "id:msmarco:passage::579", "fields": {"text": "Sometimes you may need more than one witness to lay a proper foundation. The Mechanics of Getting Exhibits into Evidence. Some hearing officers require that all documents or exhibits be introduced at the beginning of the hearing. The exhibits will be numbered or lettered and then entered into evidence. Any objections or arguments about the exhibit's relevance or reliability are made at this time.", "id": "579"}} +{"put": "id:msmarco:passage::580", "fields": {"text": "Federal Laws vs. State Laws. Federal laws, or statutes, are created by the United States Congress to safeguard the citizens of this country. Some criminal acts are federal offenses only and must be prosecuted in U.S. District Court.", "id": "580"}} +{"put": "id:msmarco:passage::581", "fields": {"text": "(December 2006) The law of evidence also known as the rules of evidence, encompasses the rules and legal principles that govern the proof of facts in a legal proceeding. These rules determine what evidence must or must not be considered by the trier of fact in reaching its decision.", "id": "581"}} +{"put": "id:msmarco:passage::582", "fields": {"text": "Criminal acts fall into two categories: felonies and misdemeanors. Felonies are offenses that may result in prison sentences of more than one year, while misdemeanors carry sentences of one year or less. The United States Congress decides which criminal acts are felonies and which ones are misdemeanors.", "id": "582"}} +{"put": "id:msmarco:passage::583", "fields": {"text": "Advances in technology have led to the use of various digital techniques in the presentation of evidence to the courts. In some cases, digital techniques have allowed the court to gain more valuable information from evidence than would otherwise have been evident.", "id": "583"}} +{"put": "id:msmarco:passage::584", "fields": {"text": "Though not stated, implicit in the ruling of both the trial court and the Court of Appeals of Minnesota is the acceptance of the digital imaging evidence that was presented by the defence. Nooner v. State of Arkansas, 907 S.W.2d 677 (October 9, 1995, Supreme Court of Arkansas) Facts.", "id": "584"}} +{"put": "id:msmarco:passage::585", "fields": {"text": "If documents are entered as evidence, the side that presents the evidence must be able to prove that it is authentic and must be able to show the chain of custody from the original document creator to the person who now holds it. There are other factors that may render evidence inadmissible in court.", "id": "585"}} +{"put": "id:msmarco:passage::586", "fields": {"text": "The ability to convince the court that digital evidence is worthy of reception into the criminal process is dependent on the qualifications and competence of the tendered expert, the skill and knowledge of the prosecutor in leading such evidence and the quality of the digital evidence itself.", "id": "586"}} +{"put": "id:msmarco:passage::587", "fields": {"text": "Admissible Evidence. In a criminal case, evidence is important to both the prosecution and defense. When evidence is entered before the judge or jury, it is important that it is relevant, reliable and not prejudiced. If the evidence meets all of these requirements, it is referred to as admissible evidence.", "id": "587"}} +{"put": "id:msmarco:passage::588", "fields": {"text": "Exhibits are anything other than testimony that can be perceived by the senses and presented at the trial or hearing. Exhibits include: Real evidence \u2014 tangible objects such as clothes, weapons, tools. Demonstrative evidence \u2014 evidence that represents or illustrates the real thing such as photos, videos, diagrams, maps, charts.", "id": "588"}} +{"put": "id:msmarco:passage::589", "fields": {"text": "Straight Truck (with lift gate) Standards. Lengths: 22-26 feet. Widths: 96-102 inches. Heights: 12.5-13.5 feet. Commodities hauled can include: Office material, furniture, cleaning. supplies, local vendor material. Capacity.", "id": "589"}} +{"put": "id:msmarco:passage::590", "fields": {"text": "United Kingdom. In the United Kingdom, the maximum permitted gross weight of a semi-trailer truck, without the use of a Special Type General Order (STGO), is 97,000 lb (44 t). In order for a 97,000 lb semi-trailer truck to be permitted on UK roads the tractor and semi-trailer must have three or more axles each.", "id": "590"}} +{"put": "id:msmarco:passage::591", "fields": {"text": "A semi-trailer attaches to the tractor with a fifth wheel hitch, with much of its weight borne by the tractor. The result is that both tractor and semi-trailer will have a distinctly different design than a rigid truck and trailer.", "id": "591"}} +{"put": "id:msmarco:passage::592", "fields": {"text": "Total length: 57 feet; trailer length: 28 feet 6 inches; motor home length: 45 feet; width: 8 feet 6 inches (excluding mirrors and safety equipment, and appurtenances up to 6 inches attached to a motor home, travel trailer, self-propelled camper or house car, truck camper, or RV); height: 13 feet 6 inches.", "id": "592"}} +{"put": "id:msmarco:passage::593", "fields": {"text": "53' x 102 Dry Van (Swing Door) 30 pallets inside. Weight Capacity: up to 45,000 lbs. Door Opening: (W x H) : 102 x 110. Inside Dimensions (L x W x H): 52' - 6 1/4 x 102 x 110.", "id": "593"}} +{"put": "id:msmarco:passage::594", "fields": {"text": "Data provided for illustrative purposes only. Actual equipment in use varies by carrier and manufacturer. This is only a guide and should not be used as a definitive reference for dock planning. Standard Freight Trailer.", "id": "594"}} +{"put": "id:msmarco:passage::595", "fields": {"text": "Total length: 62 feet, 65 feet with a camping trailer, fifth wheel trailer, or park trailer; trailer length: 53 feet, 45 feet for motor homes, 28 feet as part of a combination; width: 8 feet 6 inches (only on certain roads, excluding safety equipment up to 6 inches); height: 13 feet 6 inches.", "id": "595"}} +{"put": "id:msmarco:passage::596", "fields": {"text": "- the fifth wheel position on the lead trailer of a B Train must not be located more than 0.3. meters behind the center of the last axle on the lead semitrailer. Weight Limits: - the steering axle weight limit on straight trucks was increased to 7250 kg. - weight limit caps on the second trailer of A and C train double trailer combinations were. removed and replaced by the requirement that the weight of the tractor drive axles + the.", "id": "596"}} +{"put": "id:msmarco:passage::597", "fields": {"text": "Trailers vary depending on the load requirements and state regulations. These are standard equipment dimensions (these dimensions provided for general information purposes. only). Permits may still be required for your freight, but regulations vary from state to state. Please contact your C.H. Robinson truckload representative for assistance with your load.", "id": "597"}} +{"put": "id:msmarco:passage::598", "fields": {"text": "Total length: 65 feet; trailer length: 28.5 feet; motor home length: 45 feet; trailer width: 8 feet (8 feet 6 inches on certain roads); motor home width: 8 feet 6 inches (excluding appurtenances up to width of rear view mirrors); height: 13 feet 6 inches (14 feet on designated roads).", "id": "598"}} +{"put": "id:msmarco:passage::599", "fields": {"text": "For Hulk and The Incredible Hulk, the character is just a digital image, but for The Avengers, he is portrayed through performance motion-capture technology by Mark Ruffalo, who also portrays Bruce Banner.", "id": "599"}} +{"put": "id:msmarco:passage::600", "fields": {"text": "View All Photos (2) The Incredible Hulk, the live-action TV series based on the popular Marvel Comics character, was preceded by a 2-hour TV-movie pilot. Bill Bixby stars as Dr. David Banner (Bruce Banner in the original comic books), a scientist whose experimentation with gamma rays has a most dramatic effect.", "id": "600"}} +{"put": "id:msmarco:passage::601", "fields": {"text": "Caught in a gamma bomb explosion while trying to save the life of a teenager, Dr. Bruce Banner was transformed into the incredibly powerful creature called the Hulk. An all too often misunderstood hero, the angrier the Hulk gets, the stronger the Hulk gets. more.", "id": "601"}} +{"put": "id:msmarco:passage::602", "fields": {"text": "Starring: Edward Norton, Liv Tyler, Tim Roth, William Hurt. The Incredible Hulk kicks off an all-new, explosive and action-packed epic of one of the most popular super heroes of all time. In this new beginning, scientist Bruce Banner (Edward Norton) desperately hunts for a cure to the gamma radiation that poisoned his cells and unleashes the unbridled force of rage within him: The Hulk. Living in ...", "id": "602"}} +{"put": "id:msmarco:passage::603", "fields": {"text": "Caught in a gamma bomb explosion while trying to save the life of a teenager, Dr. Bruce Banner was transformed into the incredibly powerful creature called the Hulk. An all too often misunderstood ...", "id": "603"}} +{"put": "id:msmarco:passage::604", "fields": {"text": "For years, Bruce (Edward Norton) has been living in the shadows, pursued by the military and haunted by the rage within. But traveling the world in secrecy isn't easy, and as hard as he tries Bruce can't get Betty Ross (Liv Tyler) off his mind. The daughter of Bruce's nemesis Gen. Thaddeus Thunderbolt Ross (William Hurt), Betty represents everything that is beautiful in the world to a man who lives his life on the run.", "id": "604"}} +{"put": "id:msmarco:passage::605", "fields": {"text": "IMDb. 1 MOVIES In Theaters. 2 CELEBS Born Today. 3 LATEST HEADLINES Box Office: \u2018Boss Baby\u2019 Stays in Charge, Edging \u2018Beauty and the Beast\u2019. 4 The leading information resource for the entertainment industry Find industry contacts & talent representation. |. 5 Help. Sign in with Facebook Other Sign in options.", "id": "605"}} +{"put": "id:msmarco:passage::606", "fields": {"text": "\u2015Bruce Banner. Hulk is the form taken by Bruce Banner whenever he is stressed, enraged or seriously injured. This is due to exposure to gamma radiation during an experiment attempting to find a way of making humans immune to gamma radiation. Bruce experiences flashbacks of when he was in his Hulk form.", "id": "606"}} +{"put": "id:msmarco:passage::607", "fields": {"text": "Critic Reviews for The Incredible Hulk. All Critics (222) | Top Critics (46) | Fresh (149) | Rotten (73) | DVD (14) The climax is a bit of a yawn, but most of what precedes it is vigorous and sharp. April 14, 2013 | Full Review\u2026.", "id": "607"}} +{"put": "id:msmarco:passage::608", "fields": {"text": "Movie Info. The Incredible Hulk, the live-action TV series based on the popular Marvel Comics character, was preceded by a 2-hour TV-movie pilot. Bill Bixby stars as Dr. David Banner (Bruce Banner in the original comic books), a scientist whose experimentation with gamma rays has a most dramatic effect.", "id": "608"}} +{"put": "id:msmarco:passage::609", "fields": {"text": "The exact duties of an in-home tutor largely depend on the student\u2019s age and objectives. Tutors with younger students may need to develop games, songs or activities to help maintain interest and make the experience fun. They may also need to adapt their teachings to coincide with the child\u2019s school curriculum.", "id": "609"}} +{"put": "id:msmarco:passage::610", "fields": {"text": "Average cost of tutoring: $37.50/hour. Tutor Bungalow is a tutoring marketplace \u2014 kind of like Amazon, but for tutors. Their low score is mainly attributed to their lack of points in tutoring effectiveness. Tutor Bungalow tutors can sign up in only 5 minutes, with no background check or additional training provided.", "id": "610"}} +{"put": "id:msmarco:passage::611", "fields": {"text": "How much should I charge for SAT Tutoring? I was thinking of making some money this summer by tutoring kids for the SAT/ACT and other tests. How much do you think I should charge per hour for this tutoring? I got a 2370 on the SAT, three 800s on subject test, and am in the top 1% of my class. Oh, and I'm a rising Senior.", "id": "611"}} +{"put": "id:msmarco:passage::612", "fields": {"text": "Tutor Universe, for example, charges 15 to 25 percent of tutor session revenue. Other sites, such as First Tutor USA, charge tutors to post advertisements for their services on their site but don\u2019t charge a portion of the earnings from each lesson.", "id": "612"}} +{"put": "id:msmarco:passage::613", "fields": {"text": "Average cost of tutoring: $48/hour. Although tutors can be found on Craigslist for $20/hour (that\u2019s a cheaper deal), you may be swapping quantity for quality. Craigslist doesn\u2019t specialize in providing tutors, so the site doesn\u2019t screen their applicants.", "id": "613"}} +{"put": "id:msmarco:passage::614", "fields": {"text": "Average cost of tutoring: $131.66/hour. Kumon, like other tutoring centers in our list of tutoring companies, loses points for convenience. It has no online or in-home options and set hours for tutoring centers that your student must go to.", "id": "614"}} +{"put": "id:msmarco:passage::615", "fields": {"text": "Average cost of tutoring: $81.25/hour. If you hadn\u2019t guessed it by the name of the company, 36 By Design only does one kind of tutoring \u2014 ACT Test Prep. It\u2019s their opinion that by only focusing on one subject, they can perfect it.", "id": "615"}} +{"put": "id:msmarco:passage::616", "fields": {"text": "In-home tutors can earn anywhere from $10 to $80 an hour, depending on the type of lesson, the student\u2019s skill and age level and the tutor\u2019s experience. Tutors often charge more for older students or those who require more advanced lessons.", "id": "616"}} +{"put": "id:msmarco:passage::617", "fields": {"text": "Average cost of tutoring: $125/hour. Unfortunately, Test Masters receives fairly low ratings in a number of areas. A glance at their Yelp reviews is enough to make a parent uneasy, but this could have something to do with the company\u2019s expansion over time.", "id": "617"}} +{"put": "id:msmarco:passage::618", "fields": {"text": "Replies to: How much should I charge for SAT Tutoring? Probably $30-50 per/hour, depending on how affluent an area you live in. I tutored Chemistry for $20 per/hour, but because SAT requires more expertise, I would say slightly more. In London the rate is \u00a3125.00 per hour.", "id": "618"}} +{"put": "id:msmarco:passage::619", "fields": {"text": "The film was set in the present day of its year of release, 1968. The musical is set in 1959; consequently the character Lorenzo St. Dubois (LSD), a hippie who played Hitler, was omitted from the 2001 musical. In the original film, Max and Leo seek to procure $1,000,000; in the musical it has become $2,000,000.", "id": "619"}} +{"put": "id:msmarco:passage::620", "fields": {"text": "Carmen was in 102 episodes before she was replaced by Aimee Garcia, who played her rich cousin Veronica Palmero. This was done due to conflicts in real life with Lusha and Lopez. Due to this, Lusha was written out of the series.", "id": "620"}} +{"put": "id:msmarco:passage::621", "fields": {"text": "Trivia. 1 Carmen was in 102 episodes before she was replaced by Aimee Garcia, who played her rich cousin Veronica Palmero. This was done due to conflicts in real life with Lusha and Lopez. 2 Carmen has been seen pregnant only once in the episode George Searches for a Needle in a Haight-Stack during the opening dream sequence.", "id": "621"}} +{"put": "id:msmarco:passage::622", "fields": {"text": "The handsome Belgian Malinois who plays the title character in Max (with the help of a few trusty stunt doubles) is an action star par excellence. He\u2019s also the only involving character in this blunt instrument of a family drama.", "id": "622"}} +{"put": "id:msmarco:passage::623", "fields": {"text": "Meet the dog star who plays heroic 'Max'. A boy adopts his dead brother's military service dog. Despite some initial hiccups, the two bond and work together to figure out what caused the fallen Marine's death. Five Belgian Malinois dogs were required to shoot the canine adventure Max. But only one dog had the chops to take the lead role: a 3-year-old rebellious spirit named Carlos. Director Boaz Yakin says it was crucial to find a star pooch to headline the film (in theaters June 26).", "id": "623"}} +{"put": "id:msmarco:passage::624", "fields": {"text": "Meet the dog star who plays heroic 'Max'. Five Belgian Malinois dogs were used to film the family adventure 'Max,' but Carlos had true star quality.", "id": "624"}} +{"put": "id:msmarco:passage::625", "fields": {"text": "The Producers is a musical adapted by Mel Brooks and Thomas Meehan from Brooks' 1968 film of the same name, with lyrics written by Brooks and music composed by Brooks and arranged by Glen Kelly and Doug Besterman.", "id": "625"}} +{"put": "id:msmarco:passage::626", "fields": {"text": "Carmen Consuelo Lopez is the first child and only daughter of George and Angie Lopez. Her current age would be 29 years of age. Carmen was born to George Lopez and Angie Lopez. Later accounts from both of her parents stated their daughter was a joy to have around their home.", "id": "626"}} +{"put": "id:msmarco:passage::627", "fields": {"text": "Max\u2019s post-traumatic stress makes him unable to work with anyone else after his Marine handler, Kyle Wincott (Robbie Amell), is killed in Afghanistan. The sight of Max running to Kyle\u2019s coffin is wrenching. Read more Summer Movie Guide: Sequels...", "id": "627"}} +{"put": "id:msmarco:passage::628", "fields": {"text": "In 2009, the show played at the Walnut Street Theatre in Philadelphia, Pennsylvania and at the Diablo Light Opera Company in California, starring Ginny Wehrmeister as Ulla, Ryan Drummond as Leo, and Marcus Klinger as Max.", "id": "628"}} +{"put": "id:msmarco:passage::629", "fields": {"text": "You can find out what district you vote in by calling your local election commission. Their number should be listed in the newspaper, on the internet and in the phone book (both are under city government in my town).Their office should be located in your local courthouse. This is also usually listed in the newspaper.ating Newest Oldest. Best Answer: Try the website for Project Vote Smart, http://www.vote-smart.org You can enter your zip code and get lots of info about the candidates for office and what they stand for. Source(s): I use this site to get info about candidates in my home town.", "id": "629"}} +{"put": "id:msmarco:passage::630", "fields": {"text": "District and Representative Information. Please enter your address below and click the Go button. Then select what district information you require. Your representative information will appear below, and the district will be outlined on the map.The find me link will automatically find your approximate location based on your internet service provider.hen select what district information you require. Your representative information will appear below, and the district will be outlined on the map. The find me link will automatically find your approximate location based on your internet service provider.", "id": "630"}} +{"put": "id:msmarco:passage::631", "fields": {"text": "Rating Newest Oldest. Best Answer: Try the website for Project Vote Smart, http://www.vote-smart.org You can enter your zip code and get lots of info about the candidates for office and what they stand for. Source(s): I use this site to get info about candidates in my home town.ating Newest Oldest. Best Answer: Try the website for Project Vote Smart, http://www.vote-smart.org You can enter your zip code and get lots of info about the candidates for office and what they stand for. Source(s): I use this site to get info about candidates in my home town.", "id": "631"}} +{"put": "id:msmarco:passage::632", "fields": {"text": "show more I found some sites a few months ago that showed me who was running for election in November where you would put in your zip code and it would give you a list of gubernatorial, congressional, state representative, state senate, and other candidates, but I can't find them anymore.how more I found some sites a few months ago that showed me who was running for election in November where you would put in your zip code and it would give you a list of gubernatorial, congressional, state representative, state senate, and other candidates, but I can't find them anymore.", "id": "632"}} +{"put": "id:msmarco:passage::633", "fields": {"text": "The Election Law sets forth the form of this petition; \u00a76-140 (state, county and town offices) and \u00a715-108 (village offices). (3,303KB) Any registered voter who has not already signed a designating petition, and who is qualified to vote for an office, may sign an independent nominating petition for that office.oters may not sign a petition for more candidates than there are openings for an office. For example, if there is one council seat open, then the voter may only sign one petition for a candidate for that office. If there are 2 seats open, the voter may sign petitions for 2 candidates.", "id": "633"}} +{"put": "id:msmarco:passage::634", "fields": {"text": "The First Congressional District of Washington was formed in 1909 when Washington was first broken into districts. Today it encompasses northeastern King County, eastern Snohomish County, Washington, eastern Skagit County, and most of rural Whatcom County. To the north, the 1st District borders Canada.icks did not face serious opposition in the 2008 election. The sixth district is now represented by Derek Kilmer of Port Angeles. Al Gore and John Kerry carried the district in 2000 and 2004 with 52% and 53% of the vote, respectively.", "id": "634"}} +{"put": "id:msmarco:passage::635", "fields": {"text": "Best Answer: Check with the Board of Elections in your area, then check the news and numbersusa.com, nambla.com and other sources for a more rounded view on various topics of politics that interest you... Source(s): ShadowCat \u00b7 5 years ago.how more I found some sites a few months ago that showed me who was running for election in November where you would put in your zip code and it would give you a list of gubernatorial, congressional, state representative, state senate, and other candidates, but I can't find them anymore.", "id": "635"}} +{"put": "id:msmarco:passage::636", "fields": {"text": "Disclaimer: All statements and videos are posted directly by the candidate, unedited by the League of Women Voters and do not express the views of the League.The League never supports or opposes candidates or political parties.isclaimer: All statements and videos are posted directly by the candidate, unedited by the League of Women Voters and do not express the views of the League.", "id": "636"}} +{"put": "id:msmarco:passage::637", "fields": {"text": "For the 2010 film, see The Precinct. A precinct is a space enclosed by the walls or other boundaries of a particular place or building, or by an arbitrary and imaginary line drawn around it.The term is often used to refer to a division of a police department in a large city (either to the neighborhood patrolled or to the police station itself).ach precinct has a specific location where its residents go to vote. Sometimes several precincts will use the same polling station. A 2004 survey by the United States Election Assistance Commission reported an average precinct size in the United States of approximately 1,100 registered voters.", "id": "637"}} +{"put": "id:msmarco:passage::638", "fields": {"text": "Get ready to vote: Learn about candidates, find out when & where to vote. Note: Include street type with street name for better results. Common street types are Avenue, Street, Road and Place. Include geographic identifiers (North, South, East, or West) when they are part of the street name.et ready to vote: Learn about candidates, find out when & where to vote. Note: Include street type with street name for better results. Common street types are Avenue, Street, Road and Place. Include geographic identifiers (North, South, East, or West) when they are part of the street name.", "id": "638"}} +{"put": "id:msmarco:passage::639", "fields": {"text": "High BMI can Increase Risk for Flu Complications Adults with severe obesity are more likely to develop complications from the flu. New Adult Obesity Maps Obesity remains high, varies by state, and affects some groups more than others. Adult Obesity Facts Obesity is common, serious and costly. Learn more... Community Efforts Learn what early childhood care, hospitals, schools, and food service are doing.", "id": "639"}} +{"put": "id:msmarco:passage::640", "fields": {"text": "Why Childhood Obesity Now? There is no single reason for the rise in childhood overweight, but there are a number of contributing factors: Television and Media. Screen time is a major factor contributing to childhood obesity. It takes away from the time children spend being physically active, leads to increased snacking in front of the TV, and influences children with advertisements for unhealthy foods.", "id": "640"}} +{"put": "id:msmarco:passage::641", "fields": {"text": "CDC\u2019s Obesity efforts focus on policy and environmental strategies to make healthy eating and active living accessible and affordable for everyone. data & statistics Latest statistics on U.S. obesity, maps , interactive databases and data systems", "id": "641"}} +{"put": "id:msmarco:passage::642", "fields": {"text": "Consequences of Childhood Obesity Obese and overweight children are at risk for a number of serious health problems such as: Diabetes: Type 2 diabetes was once called adult-onset diabetes.", "id": "642"}} +{"put": "id:msmarco:passage::643", "fields": {"text": "First Study of Its Size Shows Early Weight Gain in Pregnancy Correlates with Childhood Obesity. CLOSING FRIDAY: 2017 TOS Fellowship Applications TOS eNews for August 16. NOW OPEN - TOS 2017 Council and Nominating Committees Elections TOS eNews for August 23. Read the latest obesity research.", "id": "643"}} +{"put": "id:msmarco:passage::644", "fields": {"text": "Overweight & Obesity Recommend on Facebook Tweet Share Compartir Only 1 in 10 Adults Get Enough Fruits and Vegetables New MMWR shows that few adults meet recommendations", "id": "644"}} +{"put": "id:msmarco:passage::645", "fields": {"text": "Improvement in Childhood Obesity among Children in WIC34 WIC state agencies report drop in obesity among 2-4 year olds. (https://www.cdc.gov/obesity/childhood/wic.html) Early Care and Education State Indicator Report, 2016First-ever report highlights state efforts to address childhood obesity in ECE setting.", "id": "645"}} +{"put": "id:msmarco:passage::646", "fields": {"text": "Obesity is a complex disorder involving an excessive amount of body fat. Obesity isn't just a cosmetic concern. It increases your risk of diseases and health problems, such as heart disease, diabetes and high blood pressure.", "id": "646"}} +{"put": "id:msmarco:passage::647", "fields": {"text": "CDC\u2019s Obesity efforts focus on policy and environmental strategies to make healthy eating and active living accessible and affordable for everyone. Healthy Weight(https://www.cdc.gov/healthyweight/index.html) Staying in control of your weight contributes to good health now and as you age.", "id": "647"}} +{"put": "id:msmarco:passage::648", "fields": {"text": "Consequences of Childhood Obesity. Obese and overweight children are at risk for a number of serious health problems such as: Diabetes: Type 2 diabetes was once called adult-onset diabetes. Now with the rise in childhood obesity, there is a dramatic rise in the number of children suffering from type 2 diabetes. Untreated, this can be a life-threatening condition. Asthma: Extra weight can make it harder to breathe and can inflame the respiratory tract.", "id": "648"}} +{"put": "id:msmarco:passage::649", "fields": {"text": "Lake City, Seattle. Lake City is the northeast region of Seattle, centered along Lake City Way NE (SR-522), 7\u20138 miles (11\u201313 km) northeast of downtown. A broader definition of the Lake City area includes all the land between 15th Avenue NE and Lake Washington, and between NE 95th and 98th streets to the Seattle city limits at NE 145th Street.", "id": "649"}} +{"put": "id:msmarco:passage::650", "fields": {"text": "The Bonneville Salt Flats are found west of the Great Salt Lake, in western Utah. They cover a large area and have a very unique environment. The flats can easily be seen as you drive I-80 between Salt Lake City and Wendover, NV. The famous Bonneville Speedway is located in the western portion of the flats, near Wendover. It is perfectly flat and has a thick crust of salty soil.", "id": "650"}} +{"put": "id:msmarco:passage::651", "fields": {"text": "Lake City is the only town in Hinsdale County. Hinsdale County is made up of 96% public lands. That means that we have the fewest miles of roads per person, plus the most land area located far from roads, making Hinsdale County the most remote county in the lower 48.", "id": "651"}} +{"put": "id:msmarco:passage::652", "fields": {"text": "Sponsored Topics. Lake City is a city in the U.S. state of Michigan. As of the 2010 census, the city population was 836. Known as the Christmas Tree Capital, it is the county seat of Missaukee County. According to the United States Census Bureau, the city has a total area of 1.1 square miles (2.8 km\u00b2), all land.", "id": "652"}} +{"put": "id:msmarco:passage::653", "fields": {"text": "Lake City. Lake City, in central north Florida\u2019s Columbia County, originally was a Seminole village named Alpata Telophka. Conveniently located between Jacksonville and Tallahassee and near the intersection of I-10 and I-75, Lake City and its natural beauty and outdoor activities attract many visitors. Don't miss the Olustee Battlefield and Museum, about 13 miles east of Lake City.", "id": "653"}} +{"put": "id:msmarco:passage::654", "fields": {"text": "Locations farthest away from Salt Lake City. 1 Amsterdam Island, French Southern Territories, 11,894 mi. 2 Port-aux-Francais, French Southern Territories, 11,829 mi. 3 \u00cele de la Possession, Crozet Islands, French Southern Territories, 11,532 mi. Port Mathurin (Rodrigues), Mauritius, 10,952 1 mi. Saint-Pierre, R\u00e9union (French), 10,903 mi.", "id": "654"}} +{"put": "id:msmarco:passage::655", "fields": {"text": "Park City is a unique combination of easy access and remote appeal. At times you feel like you're hundreds of miles from the civilized world yet you're just 35 easy miles from the Salt Lake City International Airport. Park City's turn-of-the-century character, as established by silver miners of old, is alive and well.", "id": "655"}} +{"put": "id:msmarco:passage::656", "fields": {"text": "Why We Are Unique. 1 Lake City is the only town in Hinsdale County. 2 Hinsdale County is made up of 96% public lands. That means that we have the fewest miles of roads per person, plus the most land area located far from roads, making Hinsdale County the most remote county in the lower 48.", "id": "656"}} +{"put": "id:msmarco:passage::657", "fields": {"text": "Why We Are Unique. 1 Lake City is the only town in Hinsdale County. 2 Hinsdale County is made up of 96% public lands. 3 Hinsdale County is made up of 4 wilderness areas and 2 wilderness study areas.", "id": "657"}} +{"put": "id:msmarco:passage::658", "fields": {"text": "Lake City. Lake City is the northeast region of Seattle, centered along Lake City Way NE (SR-522), 7\u20138 miles (11\u201313 km) northeast of downtown. A broader definition of the Lake City area includes all the land between 15th Avenue NE and Lake Washington, and between NE 95th and 98th streets to the Seattle city limits at NE 145th Street.", "id": "658"}} +{"put": "id:msmarco:passage::659", "fields": {"text": "This article is about the reputed angelic language recorded in the journals of John Dee. For Dee's overall system of angel magic, see Enochian magic. For other examples of divine or angelic languages, see Divine language.Enochian is a name often applied to an occult or angelic language recorded in the private journals of John Dee and his colleague Edward Kelley in late 16th-century England.Kelley was a spirit medium who worked with Dee in his magical investigations.he language is integral to the practice of Enochian magic. The language found in Dee and Kelley's journals encompasses a limited textual corpus, only some of it with English translations. Several linguists, notably Donald Laycock, have studied Enochian, and argue against any extraordinary features in the language.", "id": "659"}} +{"put": "id:msmarco:passage::660", "fields": {"text": "Enochian Enochian is a name often applied to an occult or angelic language recorded in the private journals of Dr John Dee and his seer Edward Kelley in the late 16th century.The men claimed that it was revealed to them by angels, while some contemporary scholars of magic consider it a constructed language.nochian sigils are powerful glyphs. They can be used to bind demons, protect an area from angelic and demonic interference, and conceal humans from every angel in creation.. The Whore of Babylon uses what appears to be an Enochian spell to harm Castiel.", "id": "660"}} +{"put": "id:msmarco:passage::661", "fields": {"text": "The term Enochian comes from Dee's assertion that the Biblical Patriarch Enoch had been the last human (before Dee and Kelley) to know the language. Dee's Angelic language According to Tobias Churton in his text The Golden Builders, the concept of an Angelic or antediluvian language was common during Dee's time.he language is integral to the practice of Enochian magic. The language found in Dee and Kelley's journals encompasses a limited textual corpus, only some of it with English translations. Several linguists, notably Donald Laycock, have studied Enochian, and argue against any extraordinary features in the language.", "id": "661"}} +{"put": "id:msmarco:passage::662", "fields": {"text": "Enochian sigils carved into Sam and Dean 's ribs. Enochian sigils belong to a type of magic that originated from the enochian language. Both demons and angels have knowledge of the sigils, although the use originated from the latter.This branch of magic is heavily reliant on use of runes derived from the eponymous language of the angels.nochian sigils carved into Sam and Dean 's ribs. Enochian sigils belong to a type of magic that originated from the enochian language. Both demons and angels have knowledge of the sigils, although the use originated from the latter.", "id": "662"}} +{"put": "id:msmarco:passage::663", "fields": {"text": "The Language of the Angels. The enochian calls were written in a strange idiom. Some linguists attempted to proof that this language is an artificial construct by John Dee or Edward Kelley.ccording to the angels that spoke during the sessions, the language that appears throughout the enochian calls is the one that was used by the angels that transferred Enoch into heaven. The name of the language and the whole system was named after Enoch.", "id": "663"}} +{"put": "id:msmarco:passage::664", "fields": {"text": "Nokian Tyres plc (Finnish: Nokian Renkaat Oyj), headquartered in Nokia, Finland, produces tyres for cars, trucks, buses, and heavy-duty equipment.Known for its winter tyres, Nokian operates the only permanent winter tyre testing facility in the world.okian Tyres (which had manufactured tyres under the Nokia brand; Nokian is the genitive) was split from the Nokia Corporation when Nokian Tyres Limited was created in 1988 as a joint venture company.", "id": "664"}} +{"put": "id:msmarco:passage::665", "fields": {"text": "The language is integral to the practice of Enochian magic. The language found in Dee and Kelley's journals encompasses a limited textual corpus, only some of it with English translations. Several linguists, notably Donald Laycock, have studied Enochian, and argue against any extraordinary features in the language.he language is integral to the practice of Enochian magic. The language found in Dee and Kelley's journals encompasses a limited textual corpus, only some of it with English translations. Several linguists, notably Donald Laycock, have studied Enochian, and argue against any extraordinary features in the language.", "id": "665"}} +{"put": "id:msmarco:passage::666", "fields": {"text": "So the angelic language, the angels utilized in the enochian calls, cannot be the angelic language, but only one kind of it, transformed into a linear timeflow. So it is of high importance that you actually evoke these images, emotions or thought-patterns during uttering the angelic language, called enochian.ccording to the angels that spoke during the sessions, the language that appears throughout the enochian calls is the one that was used by the angels that transferred Enoch into heaven. The name of the language and the whole system was named after Enoch.", "id": "666"}} +{"put": "id:msmarco:passage::667", "fields": {"text": "In order to explain Enochian sigils we must first discuss Enochian as it is understand, as a language. Enochian is a language which has been said for hundreds of years to be the language which unites mankind with the Angels in heaven.he sigils which are associated with Enochian are the symbols in the alphabet themselves for which the Enochians owe their success. Enoch is a Biblical Patriarch so to speak who, according to lore was a very righteous man.", "id": "667"}} +{"put": "id:msmarco:passage::668", "fields": {"text": "Enochian alphabet. The Enochian alphabet first appeared during the 16th century. The Court Astrologer and Magician, Dr. John Dee (1527-1608), and his associate, Sir Edward Kelly (1555-1597) claimed that the alphabet and the Enochian language was transmitted to them by angels.nochian alphabet. The Enochian alphabet first appeared during the 16th century. The Court Astrologer and Magician, Dr. John Dee (1527-1608), and his associate, Sir Edward Kelly (1555-1597) claimed that the alphabet and the Enochian language was transmitted to them by angels.", "id": "668"}} +{"put": "id:msmarco:passage::669", "fields": {"text": "You're responsible for the appraiser's fee: Paying for the appraiser falls in the shoulders of the home buyer. For most loans, a typical property appraisal takes a few hours or less and costs around $300 or $400.", "id": "669"}} +{"put": "id:msmarco:passage::670", "fields": {"text": "What is a house appraisal? A house appraisal is an estimate of a property's value. Mortgage lenders require an appraisal on your home before they\u2019ll provide a loan for the simple reason that the property is the underlying asset that serves as collateral for the loan.", "id": "670"}} +{"put": "id:msmarco:passage::671", "fields": {"text": "Appraisers have complained for years about the size of the cut appraisal management companies pay themselves. The action by the Louisiana board is the first disciplinary action taken by a state agency on the issue of fees and is likely to be closely watched by the industry.", "id": "671"}} +{"put": "id:msmarco:passage::672", "fields": {"text": "After dealing with financing and a home inspection, the next step is an appraisal. But what is a home appraisal, and what can you expect during the process? After dealing with financing and a home inspection, the next step is an appraisal.", "id": "672"}} +{"put": "id:msmarco:passage::673", "fields": {"text": "I am shopping around for a mortgage. Plugged in some numbers at Capital One. The program spit some numbers back at me. I noticed there is an Appraisal Fee AND an Appraisal Management Fee. What the heck is an Appraisal Management Fee???", "id": "673"}} +{"put": "id:msmarco:passage::674", "fields": {"text": "Yes, its a junk fee. Some brokers and banks have figured out another way to add revenue to their origination fees. The appraisals today are ordered through an AMC (required) and usually the AMC gets their payment by taking a large portion of the fee that goes to the actual appriaser. Most lenders have an ownership interest in an AMC and naturally that is who they order the appraisal through.", "id": "674"}} +{"put": "id:msmarco:passage::675", "fields": {"text": "dont pick a lender based on one small fee. it is a legit fee..... though some dont agree that the amt is necessary . if a lender doesnt show that fee on the hud..... then it is hidden in the price of the appraisal. some lenders do not seperate the fees onn the hud... we dont. we include it in the price of the appraisal. less confusing.", "id": "675"}} +{"put": "id:msmarco:passage::676", "fields": {"text": "One way to do that is by hiring appraisal management companies, which hire the appraisers and set their fees, keeping a portion of the fees for themselves. Dodd-Frank requires the companies to pay appraisers fees that are considered customary and reasonable..", "id": "676"}} +{"put": "id:msmarco:passage::677", "fields": {"text": "Re: Appraisal Management Fee??? The owners have decided to do owner financing...so I am going through the learning curve on this one. I have checked into owner financing before, but recently.", "id": "677"}} +{"put": "id:msmarco:passage::678", "fields": {"text": "An appraisal management company has agreed to pay a $5,000 administrative fee and adopt a fee schedule after an investigation by the Louisiana Real Estate Appraisal Board found the company wasn't paying appraisers customary and reasonable fees as required under the federal Dodd-Frank financial services reform law, enacted in 2010.", "id": "678"}} +{"put": "id:msmarco:passage::679", "fields": {"text": "The difference between libel and slander is simply whether the statements are written (libel) or spoken (slander). If a person suffers injury to his or her reputation as a result of another person's statements, he or she can sue under the theory of defamation.", "id": "679"}} +{"put": "id:msmarco:passage::680", "fields": {"text": "Defamation, Libel and Slander. Not all torts result in bodily harm. Some cause harm to a person's reputation instead. Defamation is the general tort that encompasses statements that damage one's reputation. There are different forms of defamation, including libel and slander.", "id": "680"}} +{"put": "id:msmarco:passage::681", "fields": {"text": "For other uses, see Libel (disambiguation) and Slander (disambiguation). Defamation\u2014also calumny, vilification, and traducement\u2014is the communication of a false statement that harms the reputation of an individual person, business, product, group, government, religion, or nation.", "id": "681"}} +{"put": "id:msmarco:passage::682", "fields": {"text": "Libel, on the other hand, is the written publication of a defamatory remark that has the tendency to injure another's reputation or character. Libel also includes a publication on radio, audio or video.", "id": "682"}} +{"put": "id:msmarco:passage::683", "fields": {"text": "Defamation Law Made Simple. Learn the basics of slander and libel -- the rules about who can say what without getting into legal hot water. Defamation is a catch-all term for any statement that hurts someone's reputation. Defamation is not a crime, but it is a tort (a civil wrong, rather than a criminal wrong).", "id": "683"}} +{"put": "id:msmarco:passage::684", "fields": {"text": "Under common law, to constitute defamation, a claim must generally be false and must have been made to someone other than the person defamed. Some common law jurisdictions also distinguish between spoken defamation, called slander, and defamation in other media such as printed words or images, called libel. False light laws protect against statements which are not technically false, but which are misleading.", "id": "684"}} +{"put": "id:msmarco:passage::685", "fields": {"text": "No, for an action in libel to be upheld, the publisher of a defamatory statement need not know that a statement is false or defamatory. The law concerns the intent of the publisher in communicating a defamatory statement and is not concerned with the knowledge of the publisher.", "id": "685"}} +{"put": "id:msmarco:passage::686", "fields": {"text": "What is the difference between libel and slander? Libel and slander are both forms of defamation. Defamation is a common law tort, governed by state law, in which an individual makes a publication of a defamatory statement of and concerning the plaintiff that damages the reputation of the plaintiff. The distinction between slander and libel comes in the form of the publication. Slander involves the oral publication of a defamatory remark that is heard by another, which injures the subject's reputation or character. Slander can occur through the use of a hand gesture or verbal communication that is not recorded.", "id": "686"}} +{"put": "id:msmarco:passage::687", "fields": {"text": "Defamation is a catch-all term for any statement that hurts someone's reputation. Written defamation is called libel, and spoken defamation is called slander.. Defamation is not a crime, but it is a tort (a civil wrong, rather than a criminal wrong). A person who has been defamed can sue the person who did the defaming.", "id": "687"}} +{"put": "id:msmarco:passage::688", "fields": {"text": "Libel is defined as defamation by written or printed words, pictures, or in any form other than by spoken words or gestures. The law of libel originated in the 17th century in England. With the growth of publication came the growth of libel and development of the tort of libel.", "id": "688"}} +{"put": "id:msmarco:passage::689", "fields": {"text": "A. A. A. Genital herpes is one of the most common sexually transmitted diseases in the U.S. It is caused by the herpes simplex virus (HSV). Most cases of genital herpes are caused by infection by the herpes simplex virus type 2 (HSV-2).enital herpes virus is passed from one person to another through sexual contact. This happens even if the person with the virus doesn't have symptoms or signs of infection. Once the virus enters through the skin, it travels along nerve paths. It may become dormant (inactive) in the nerves and remain there indefinitely.", "id": "689"}} +{"put": "id:msmarco:passage::690", "fields": {"text": "Herpes simplex virus type 1 (HSV-1) is more often the cause of cold sores or fever blisters. But it can also be a cause of genital herpes. Most people with genital herpes don't know they have it. That's because in most people it produces either no symptoms or very mild ones.enital herpes virus is passed from one person to another through sexual contact. This happens even if the person with the virus doesn't have symptoms or signs of infection. Once the virus enters through the skin, it travels along nerve paths. It may become dormant (inactive) in the nerves and remain there indefinitely.", "id": "690"}} +{"put": "id:msmarco:passage::691", "fields": {"text": "In this article. Herpes simplex viruses -- more commonly known as herpes -- are categorized into two types: herpes type 1 (HSV-1, or oral herpes) and herpes type 2 (HSV-2, or genital herpes). Most commonly, herpes type 1 causes sores around the mouth and lips (sometimes called fever blisters or cold sores).HSV-1 can cause genital herpes, but most cases of genital herpes are caused by herpes type 2. In HSV-2, the infected person may have sores around the genitals or rectum.erpes simplex type 1, which is transmitted through oral secretions or sores on the skin, can be spread through kissing or sharing objects such as toothbrushes or eating utensils. In general, a person can only get herpes type 2 infection during sexual contact with someone who has a genital HSV-2 infection.", "id": "691"}} +{"put": "id:msmarco:passage::692", "fields": {"text": "Two types of herpes simplex virus infections can cause genital herpes: 1 HSV-1. 2 This is the type that usually causes cold sores or fever blisters around your mouth, though it can be spread to your genital area during oral sex. 3 Recurrences are much less frequent than they are with HSV-2 infection. This is the type that usually causes cold sores or fever blisters around your mouth, though it can be spread to your genital area during oral sex. 2 Recurrences are much less frequent than they are with HSV-2 infection. 3 HSV-2. 4 This is the type that commonly causes genital herpes.", "id": "692"}} +{"put": "id:msmarco:passage::693", "fields": {"text": "Any of the following symptoms of a genital HSV infection can occur in a man or a woman: 1 Cracked, raw, or red areas around your genitals without pain, itching, or tingling.2 Itching or tingling around your genitals or your anal region. 3 Small blisters that break open and cause painful sores.ny of the following symptoms of a genital HSV infection can occur in a man or a woman: 1 Cracked, raw, or red areas around your genitals without pain, itching, or tingling.", "id": "693"}} +{"put": "id:msmarco:passage::694", "fields": {"text": "HPV is a different virus than HIV and HSV (herpes). HPV is so common that nearly all sexually active men and women get it at some point in their lives. There are many different types of HPV.Some types can cause health problems including genital warts and cancers.PV is a different virus than HIV and HSV (herpes). HPV is so common that nearly all sexually active men and women get it at some point in their lives. There are many different types of HPV.", "id": "694"}} +{"put": "id:msmarco:passage::695", "fields": {"text": "Most genital herpes is caused by infection of herpes simplex virus type 2 (HSV-2). Herpes simplex virus type 1 (HSV-1) is more often the cause of cold sores, but it can also be a cause of genital herpes.Once the virus enters through the skin, it travels along nerve paths.enital herpes is caused by the herpes simplex virus, or HSV. Genital herpes often affects the 20-24 year old age group, with around 30,000 new cases diagnosed in sexual health clinics in the UK each year.", "id": "695"}} +{"put": "id:msmarco:passage::696", "fields": {"text": "Genital herpes is not the only condition that can produce these symptoms. Sometimes, HSV is mistaken for vaginal yeast infections, bacterial infections, or bladder infections. The only way to know whether they are the result of HSV or another condition is to be checked by a health care provider.ny of the following symptoms of a genital HSV infection can occur in a man or a woman: 1 Cracked, raw, or red areas around your genitals without pain, itching, or tingling.", "id": "696"}} +{"put": "id:msmarco:passage::697", "fields": {"text": "Genital herpes virus is passed from one person to another through sexual contact. This happens even if the person with the virus doesn't have symptoms or signs of infection. Once the virus enters through the skin, it travels along nerve paths. It may become dormant (inactive) in the nerves and remain there indefinitely.enital herpes virus is passed from one person to another through sexual contact. This happens even if the person with the virus doesn't have symptoms or signs of infection. Once the virus enters through the skin, it travels along nerve paths. It may become dormant (inactive) in the nerves and remain there indefinitely.", "id": "697"}} +{"put": "id:msmarco:passage::698", "fields": {"text": "Genital herpes can cause sores or breaks in the skin or lining of the mouth, vagina, and rectum. The genital sores caused by herpes can bleed easily. When the sores come into contact with the mouth, vagina, or rectum during sex, they increase the risk of giving or getting HIV if you or your partner has HIV.epeat outbreaks of genital herpes are common, especially during the first year after infection. Repeat outbreaks are usually shorter and less severe than the first outbreak. Although the infection can stay in the body for the rest of your life, the number of outbreaks tends to decrease over a period of years.", "id": "698"}} +{"put": "id:msmarco:passage::699", "fields": {"text": "It seems to me, telekinesis is not possible for anyone! Telekinesis (also called psychokinesis, or PK), is the ability to move objects through mind power. Though many people believe in such psychic ability, scientific evidence for its existence remains still very elusive. The history of telekinesis is a history of frauds and fakery, both proven and suspected.", "id": "699"}} +{"put": "id:msmarco:passage::700", "fields": {"text": "How to move things with your mind easily \u2013 your chance to learn! 1 Believe that it\u2019s true. 2 Learn to concentrate. 3 Enhancing your brain function \u2013 train your mind to move objects. 4 The art of visualization is a major key to success.", "id": "700"}} +{"put": "id:msmarco:passage::701", "fields": {"text": "How to move things with your mind for beginners. Moving things from one place to another or to change TV channels with the power of our brains? How many of you haven\u2019t dreamed yourselves in such a situation? Think how good it would be if you had the ability to move things with your mind. Isn\u2019t it? Well, this is no more a fiction. You can actually learn how to control things with your mind and move articles simply with your thinking. This is phenomenon is known Telekinesis or Psychokinesis. In this article, I will tell you what is this practice, and as a beginner, how you can develop this power.", "id": "701"}} +{"put": "id:msmarco:passage::702", "fields": {"text": "The secret of making things move with your mind. Now let me tell you how to move objects with your mind step by step. Below are the things that you need to follow one after the other: Here is an telekinesis training about how to maneuver things with your thoughts \u2013 PSI Wheel", "id": "702"}} +{"put": "id:msmarco:passage::703", "fields": {"text": "We all have this ability, but due to many centuries of religion oppression on the powers of the mind, this became an inactive part of the human brain. Through telekinesis you have to connect your halo with that of the object you want to move. The power of your halo will determine the success.", "id": "703"}} +{"put": "id:msmarco:passage::704", "fields": {"text": "Here is an telekinesis training about how to maneuver things with your thoughts \u2013 PSI Wheel. 1 First of all, build a PSI Wheel from a piece of paper, which should look like a pyramid spinning freely on the top of a needle. 2 Sit very relaxed on a chair in front of a table. 3 Relax as much as you can. 4 Get rid of stress, free of any other thoughts.", "id": "704"}} +{"put": "id:msmarco:passage::705", "fields": {"text": "People also view. 1 How can you feel better about something you did wrong. 2 What does it mean when you dream you can move things with your mind. 3 Why do humans think about thinking. 4 What is fear of dreamin (at night). 5 What are good techniques to meditate. 6 What does a nervous breakdown feel like.", "id": "705"}} +{"put": "id:msmarco:passage::706", "fields": {"text": "The secret of making things move with your mind. 1 First of all, build a PSI Wheel from a piece of paper, which should look like a pyramid spinning freely on the top of a needle. 2 Sit very relaxed on a chair in front of a table. 3 Relax as much as you can. 4 Get rid of stress, free of any other thoughts.", "id": "706"}} +{"put": "id:msmarco:passage::707", "fields": {"text": "How to move things with your mind for beginners, moving stuffs from a place to another or to change channels with your eyes, hands using power of your brain About Shifter Forum", "id": "707"}} +{"put": "id:msmarco:passage::708", "fields": {"text": "So, the answer to your first question is No. Telekinesis is the power to move/control matter with only your mind. It\u2019s when you show \u201cmind over matter\u201d, when you have control over atoms/sub-atomic particles/ objects in general. No-one really knows how it works. How does your brain move things you cant actually touch?", "id": "708"}} +{"put": "id:msmarco:passage::709", "fields": {"text": "The Thermacell Mosquito Repellent appliance is an outdoor device used to repel mosquitos within a 15\u2032 x 15\u2032 area. I found it to be an effective tool when repelling mosquitoes. This handheld appliance is also lightweight, portable and easy to use.", "id": "709"}} +{"put": "id:msmarco:passage::710", "fields": {"text": "The ThermaCELL appliance uses a butane cartridge to heat up a small mat that\u2019s soaked in mosquito repellent. Don\u2019t worry \u2013 there are no open flames so it\u2019s safe to use around fabric and children. As the mat warms, the repellent is released into the air. Each appliance comes with one butane cartridge and three mats.", "id": "710"}} +{"put": "id:msmarco:passage::711", "fields": {"text": "The above were sent to me to review. The Thermacell Mosquito Repellent shown in the center of the above photo is the basic kit. The Thermacell Holster with Clip, the All-Purpose Swivel Light, and the Mosquito Repellent Refills are all accessories that must be purchased separately.", "id": "711"}} +{"put": "id:msmarco:passage::712", "fields": {"text": "ThermaCELL Mosquito Repellent: Product Review. If you\u2019re a mosquito magnet like me, you\u2019re always looking for ways to keep the pesky critters at bay. Choices mostly involve covering yourself in smelly sprays or lighting smoky and smelly coils or candles. The ThermaCELL \u201cappliance\u201d is neither of those.", "id": "712"}} +{"put": "id:msmarco:passage::713", "fields": {"text": "ThermaCELL\u00ae Mosquito Repellent \u2013 Olive Drab Appliance. If citronella candles and other old-fashioned methods for keeping mosquitoes away just aren\u2019t working for you, fire up the ThermaCELL Portable repellent and enjoy your next outing in bug-free peace.", "id": "713"}} +{"put": "id:msmarco:passage::714", "fields": {"text": "The ThermaCELL Mosquito Repellent Appliance is effective at repelling mosquitoes within a 225 square foot area when there\u2019s little air movement; great for use when sitting outside on a deck or patio. It\u2019s less effective in breezy conditions or when you\u2019re moving around outside of a 15\u2019 by 15\u2019 area.", "id": "714"}} +{"put": "id:msmarco:passage::715", "fields": {"text": "What is the ThermaCELL Mosquito Repellant Appliance? \u201cAppliance\u201d is a strange name but it\u2019s hard to come up with something better. It\u2019s an 8\u201d by 3\u201d device that emits a repellant that keeps mosquitoes and black flies away. There\u2019s no need to spray yourself and there\u2019s hardly any odor.", "id": "715"}} +{"put": "id:msmarco:passage::716", "fields": {"text": "Reason to use the Thermacell Mosquito Repellent. West Nile Virus: The West Nile virus is present here in Texas and is transmitted by mosquitoes (FYI, only female mosquitoes bite \u2013 they need at least one blood meal in order to develop their eggs).", "id": "716"}} +{"put": "id:msmarco:passage::717", "fields": {"text": "The Thermacell Mosquito Repellent appliance is made almost entirely of hard plastic with the exception of the metal plate that is used to heat the repellent mat which volatilizes the insecticide. The front of the appliance contains an On/Off switch that releases or shuts off the butane.", "id": "717"}} +{"put": "id:msmarco:passage::718", "fields": {"text": "Included with the Thermacell Mosquito Repellent is a repellent kit that includes three repellent mats and a butane cartridge. The repellent mat slides into the appliance from the side. It is a tight fit so that the mat will not slip out when carrying the appliance.", "id": "718"}} +{"put": "id:msmarco:passage::719", "fields": {"text": "Then read the following BEFORE taking the ACCUPLACER: \uf0b7 Practice Algebra II WITHOUT a calculator! \uf0b7 Especially take time to review fractions, factoring, exponents, equations, and trig BEFORE the test. \uf0b7 Memorize formulas like quadratic formula, slope formula, slope-intercept formula, point-slope formula, and.", "id": "719"}} +{"put": "id:msmarco:passage::720", "fields": {"text": "The COMPASS remote test registration number signifies that you have permission to take the. COMPASS for SSU at a remote test center. You must use this number when scheduling a test session. On the. day of testing you will use the \u201ctest registration number\u201d to log into the electronic test that is set-up specifically.", "id": "720"}} +{"put": "id:msmarco:passage::721", "fields": {"text": "ACCUPLACER Program Manual 11 \u00a9 2016 The College Board. To unlock the account, you must provide the answer to two of the security. questions selected when creating their new password. If the answers to the. security questions match the answers that were provided during the initial setup.", "id": "721"}} +{"put": "id:msmarco:passage::722", "fields": {"text": "ACCUPLACER Program Manual 7 \u00a9 2016 The College Board. Both groups of fairness reviewers are charged with helping ensure that test. questions and stimuli are broadly accessible to the wide-ranging student. population that takes the exam, that the questions are clearly stated and.", "id": "722"}} +{"put": "id:msmarco:passage::723", "fields": {"text": "Calculators may be used on the COMPASS Pre-Algebra, Algebra, College Algebra, Geometry, and Trigonometry tests provided they meet the requirements listed below. Electronic writing pads or pen-input devices\u2014The Sharp EL 9600 is permitted. Models with paper tapes\u2014The paper must be removed.", "id": "723"}} +{"put": "id:msmarco:passage::724", "fields": {"text": "The COMPASS test is a self-adjusting, multiple choice test that is taken at the computer. The. answer to your current question will determine the next question; it will stop once it has determined. your level. Consequently the test is untimed and has a different number of questions for each. student.", "id": "724"}} +{"put": "id:msmarco:passage::725", "fields": {"text": "The COMPASS placement test is offered in Reading, Writing, and Math. The test helps to. determine whether you have the knowledge to succeed in the classes you are planning to. take or whether taking some preparatory classes will ensure your success. Taking the three tests.", "id": "725"}} +{"put": "id:msmarco:passage::726", "fields": {"text": "However, if you can follow the suggestions below, you may be able to place directly into Math 1314!!! Read on!! If you can wait 5 minutes BEFORE taking the mathematics ACCUPLACER, then read the next 2 pages. If you can wait 1 day BEFORE taking the mathematics ACCUPLACER, then read the next 3 pages.", "id": "726"}} +{"put": "id:msmarco:passage::727", "fields": {"text": "The COMPASS (COMputer-adaptive Placement Assessment and Support Services) is. an admission/placement tool designed to measure your current skills in reading, writing and math (algebra). Throughout the test, the COMPASS program will adapt to your abilities. The questions will increase or decrease.", "id": "727"}} +{"put": "id:msmarco:passage::728", "fields": {"text": "Then read below BEFORE taking a mathematics placement test!!!! If you place into Math 0306 th(approximately 7 and 8th grade math), you will pay about $900 to get to the credit-level. Math 1314 that is required for almost all Associate\u2019s or Bachelor\u2019s degree.", "id": "728"}} +{"put": "id:msmarco:passage::729", "fields": {"text": "Sub Topics. 1 Groups of the Periodic Table. 2 Periodic Table Groups and Periods. 3 Periodic Table Groups Names. 4 Periodic Table Metals. 5 Transition Metals on Periodic Table. 6 Periodic Table Metals Nonmetals Metalloids. 7 Periodic Table Groups Properties. 1 Acid forming properties increases from left to right on the periodic table. 2 First ionization energies increase from left to right across the period. 3 The atomic radii of elements goes on decreasing from left to right in the periodic table.", "id": "729"}} +{"put": "id:msmarco:passage::730", "fields": {"text": "Oxygen has an atomic number of 8 which means there are 8 protons in the nucleus and 8 electrons orbiting the nucleus. This balance keeps oxygen as a neutral element as you see it on the periodic table. The columns 1-18 are groups or families. These elements are grouped by commonalities.", "id": "730"}} +{"put": "id:msmarco:passage::731", "fields": {"text": "The vertical columns in the periodic table are referred to as groups and the horizontal rows are referred to as periods. The number of groups in each block of the periodic table depends on the sub shell that is being filled. Periodic table is the framework of classification of elements.", "id": "731"}} +{"put": "id:msmarco:passage::732", "fields": {"text": "In the periodic table of the elements, each numbered column is a group. In chemistry, a group (also known as a family) is a column of elements in the periodic table of the chemical elements. There are 18 numbered groups in the periodic table, and the f-block columns (between groups 3 and 4) are not numbered. The elements in a group have similar physical or chemical characteristics of the outermost electron shells of their atoms (i.e., the same core charge), as most chemical properties are dominated by the orbital location of the outermost electron.", "id": "732"}} +{"put": "id:msmarco:passage::733", "fields": {"text": "Back to Top. 1 Acid forming properties increases from left to right on the periodic table. 2 First ionization energies increase from left to right across the period. 3 The atomic radii of elements goes on decreasing from left to right in the periodic table. 4 Base forming properties decreases on moving left to right in the periodic table.", "id": "733"}} +{"put": "id:msmarco:passage::734", "fields": {"text": "Group (periodic table) In chemistry, a group (also known as a family) is a column of elements in the periodic table of the chemical elements. There are 18 numbered groups in the periodic table, and the f-block columns (between groups 3 and 4) are not numbered.", "id": "734"}} +{"put": "id:msmarco:passage::735", "fields": {"text": "In chemistry, a group is a column of elements in the periodic table of the chemical elements. There are 18 numbered groups in the periodic table, and the f-block columns are not numbered. The elements in a group have similar physical or chemical characteristics of the outermost electron shells of their atoms, as most chemical properties are dominated by the orbital location of the outermost electron. There are three systems of group numbering. The modern numbering group 1 to group 18 is recommen", "id": "735"}} +{"put": "id:msmarco:passage::736", "fields": {"text": "The periodic table consists of seven rows called periods, and 18 columns called groups or families. The properties of the elements within a period vary across the periodic table in predictable ways, while the elements within a group have similar properties.", "id": "736"}} +{"put": "id:msmarco:passage::737", "fields": {"text": "Just asked! See more. 1 What is the arc length of f(x)=xex\u22124x2\u2212x ... Answer. 11 minutes ago. 2 The wavelength of a photon and De broglie ... Answer. 11 minutes ago. 3 How do you find the antiderivative of ... Answer. 11 minutes ago. 4 What is the equation of the line tangent to # ... Answer. 13 minutes ago.", "id": "737"}} +{"put": "id:msmarco:passage::738", "fields": {"text": "Vertical columns in the periodic table are called groups. The elements in a group show specific similarities. So many common features are known for the elements Group I (alkali metals), Group 7 (Halogens) and Group 0 (Noble gases). Vertical columns in the periodic table are called periods.", "id": "738"}} +{"put": "id:msmarco:passage::739", "fields": {"text": "Answer by Thibaut Descartes. Gavrilo Princip assassinated the Archduke Franz Ferdinand in Sarejevo. Gavrilo Princip was a member of the Black Hand, a Serbian nationalist group. Gavrilo Princip assassinated the Archduke Franz Ferdinand in Sarejevo. Gavrilo Princip was a member of the Black Hand, a Serbian nationalist group.", "id": "739"}} +{"put": "id:msmarco:passage::740", "fields": {"text": "On 28 June 1914, Archduke Franz Ferdinand of Austria, heir to the Austro-Hungarian throne, and his wife, Sophie, Duchess of Hohenberg, were shot dead in Sarajevo, by Gavrilo Princip, one of a group of six Bosnian Serb assassins coordinated by Danilo Ili\u0107.", "id": "740"}} +{"put": "id:msmarco:passage::741", "fields": {"text": "REUTERS/JU Muzej Sarajevo (JU Sarajevo Museum)/Handout via Reuters. One hundred years ago today in Sarajevo, a Serb nationalist shot to death at point-blank range the Archduke Franz Ferdinand, heir to the throne of the Austro-Hungarian Empire, and his wife Sophie.", "id": "741"}} +{"put": "id:msmarco:passage::742", "fields": {"text": "Best Answer: Though Gavrilo Princip killed Franz Ferdinand, he was just a pawn in a huge assasination plan by the Black Hand, a Serbian freedom fighter group, who hoped to eliminate the Archduke due to the fact that the Archduke planned to give concessions to the South Slavs, therefore making a unified Greater Serbia more difficult to obtain.", "id": "742"}} +{"put": "id:msmarco:passage::743", "fields": {"text": "Gavrilo Princip, an assassin affiliated with the Serbian Black Hand terrorist organization killed Archduke Franz Ferdinand.", "id": "743"}} +{"put": "id:msmarco:passage::744", "fields": {"text": "On the eve of the centennial, Bosnian Serbs unveiled a statue to Gavrilo Princip, the archduke's killer, who is considered a Serbian hero and freedom-fighter.", "id": "744"}} +{"put": "id:msmarco:passage::745", "fields": {"text": "Indeed, in Europe and across the pond in the United States, many learning of the archduke's death were less concerned with the drumbeats of war than the question of Austrian succession. The Washington Post, for example, published this largely fluffy piece on the royal who became the heir presumptive:", "id": "745"}} +{"put": "id:msmarco:passage::746", "fields": {"text": "The Shifting Legacy Of The Man Who Shot Franz Ferdinand. The Shifting Legacy Of The Man Who Shot Franz Ferdinand. Nineteen-year-old Bosnian Serb Gavrilo Princip fired the shots that killed the heir to the Austro-Hungarian empire, Archduke Franz Ferdinand, and his wife, Sophie, during a visit to Sarajevo on June 28, 1914. Depending on whom you ask, he's either a hero or a terrorist.", "id": "746"}} +{"put": "id:msmarco:passage::747", "fields": {"text": "The Archduke was killed by a group called the Black Hand by a man called Gavrilo Princip, due to the fact that the Serbians wanted freedom and independence which they didn t get, which made the Serbians want revenge, forming the terrorist group, The Black Hand and successfully killing Franz Ferdinand and his 6 month pregnant wife, Sophie.", "id": "747"}} +{"put": "id:msmarco:passage::748", "fields": {"text": "This plan included 2 other conspirators,Nedjelko Cabrinovic, and Trifko Grabez, though they obviously all failed in their assasination attempts. The original plan was that these 3 people would kill the Archduke while he was driving though the streets of Sarajevo on his way to visit the city hall. Nedjelko, who made the first attempt, threw a grenade at the Archduke's car, but it instead missed, rolled underneath another car in the motorcade, and exploded.", "id": "748"}} +{"put": "id:msmarco:passage::749", "fields": {"text": "1 Dose is based on form and strength. 2 Carefully follow the label instructions for the maximum dose per day. 3 Children\u2014Dose is based on weight or age. 4 Carefully follow the label instructions for the maximum dose per day. 5 Children 11 to 12 years of age: 320 to 480 mg every 4 to 6 hours as needed.", "id": "749"}} +{"put": "id:msmarco:passage::750", "fields": {"text": "Even if your test results are different from the normal value, you may not have a problem. To learn what the results mean for you, talk with your health care provider. If your acetaminophen drug level test is high, it means you may be at greater risk for liver damage and need treatment. Your health care provider may repeat this test every 4 to 6 hours until you are out of danger.", "id": "750"}} +{"put": "id:msmarco:passage::751", "fields": {"text": "A blood level of acetaminophen higher than 200 mcg/mL 4 hours after ingestion means there is risk for liver damage. If the test shows a level of 50 mcg/mL or greater 12 hours after you've taken the drug, there is still risk for liver damage. Overdose levels for children are based on age and weight.", "id": "751"}} +{"put": "id:msmarco:passage::752", "fields": {"text": "The acetaminophen drug level is a blood test used to screen for the presence of the common pain reliever acetaminophen. (Tylenol and paracetamol are among several other names for the same medicine.). This over-the-counter (OTC) medicine is used to treat pain and reduce fever.", "id": "752"}} +{"put": "id:msmarco:passage::753", "fields": {"text": "For patients using the oral liquid with dropper: 1 Shake the bottle well before each use. 2 Measure the dose with the provided dropper. 3 Remove the cap, insert the dropper and withdraw the dose prescribed by your doctor. 4 Slowly give the medicine into your child's mouth (towards the inner cheek). 5 Replace the cap back tightly.", "id": "753"}} +{"put": "id:msmarco:passage::754", "fields": {"text": "15 mg to 60 mg. 360 mg. Acetaminophen. 300 mg to 1000 mg. 4000 mg. Doses may be repeated up to every 4 hours. The prescriber must determine the number of tablets per dose, and the maximum number of tablets per 24 hours, based upon the above dosage guidance. This information should be conveyed in the prescription.", "id": "754"}} +{"put": "id:msmarco:passage::755", "fields": {"text": "If treatment is received within 8 hours of the overdose, however, there is a very good chance of recovery. For children who have taken acetaminophen in liquid form, a treatment decision may be made as soon as 2 hours after ingestion since the drug is absorbed more rapidly in this form. ^ Back to top.", "id": "755"}} +{"put": "id:msmarco:passage::756", "fields": {"text": "The test for acetaminophen is used to measure the level of drug in the blood in order to establish a diagnosis of overdosage, to assess the risk of liver damage, and to help decide on the need for treatment. Prompt diagnosis and treatment are important for a positive outcome.", "id": "756"}} +{"put": "id:msmarco:passage::757", "fields": {"text": "1 Shake the bottle well before each use. 2 Measure the dose with the provided dropper. 3 Do not use any other syringe, dropper, spoon, or dosing device when giving this medicine to your child. 4 Remove the cap, insert the dropper and withdraw the dose prescribed by your doctor.", "id": "757"}} +{"put": "id:msmarco:passage::758", "fields": {"text": "It is not safe to use more than 4 grams (4,000 milligrams) of acetaminophen in one day (24 hours), as this may increase the risk for serious liver problems. For Tylenol\u00ae Extra Strength, the maximum dose is 3,000 milligrams per 24 hours. You may take this medicine with or without food.", "id": "758"}} +{"put": "id:msmarco:passage::759", "fields": {"text": "The Manteca population density is 3,981.08 people per square mile, which is much higher than the state average density of 232.55 people per square mile and is much higher than the national average density of 82.73 people per square mile.", "id": "759"}} +{"put": "id:msmarco:passage::760", "fields": {"text": "Manteca, California Add Favorite 8 Reviews | Review This Place. 1 Profile: Small port/Industrial city. 2 Time zone: Pacific Standard Time. 3 Elevation: 22. 4 Real Estate: For Sale For Rent. 5 Schools: See Local Schools. 6 City: Manteca. 7 Zip Codes: 95336, 95337, ... 2 total.", "id": "760"}} +{"put": "id:msmarco:passage::761", "fields": {"text": "This chart shows the employment and labor force participation rates in . Manteca Ca for residents over 16 years of age. The 2015 unemployment rate is 9.4% and the labor force participation rate is 64.1 %.", "id": "761"}} +{"put": "id:msmarco:passage::762", "fields": {"text": "Coffee with the Staff (Senior Center) 8:30-9:30 am - Wednesday, September 06, 2017. Second Wednesday of Every Month, 8:30-9:30 am. This is a free event. You are invited to have coffee with City staff. This event gives seniors the opportunity to ask questions and have general conversation with City staff.", "id": "762"}} +{"put": "id:msmarco:passage::763", "fields": {"text": "Most / Least Educated Cities in CA. As of 2010-2014, the total population of Manteca is 70,693, which is 43.52% more than it was in 2000. The population growth rate is much higher than the state average rate of 12.39% and is much higher than the national average rate of 11.61%.", "id": "763"}} +{"put": "id:msmarco:passage::764", "fields": {"text": "According to our research of California and other state lists there were 121 registered sex offenders living in Manteca, California as of February 15, 2018. The ratio of number of residents in Manteca to the number of sex offenders is 587 to 1. Median real estate property taxes paid for housing units with mortgages in 2016: $3,301 (0.9%)", "id": "764"}} +{"put": "id:msmarco:passage::765", "fields": {"text": "Comparing Population Change to the United States average of 2.5%, Manteca is approximately 3.1 times bigger. Also, compared to the state of California, Population Change of 3.1%, Manteca is approximately 2.5 times bigger. Looking at population density in Figure 5 Manteca indicates it has 3,516 population density which is the highest of all placesin the area.", "id": "765"}} +{"put": "id:msmarco:passage::766", "fields": {"text": "Unmarried population in Manteca under 18 years old in homes ; Total Population: 19,394; Unmarried partner of home lead present: 2,004; In family homes: 1,929; Population of male led and male partner homes: 48; Population of male led and female partner households: 986; Population of female led and female partner households: 48", "id": "766"}} +{"put": "id:msmarco:passage::767", "fields": {"text": "The Economic Census is the U.S. government's official five-year measure of American business and the economy. Basic enumerations of population, housing units, group quarters and transitory locations conducted by the Census Bureau at the request of a governmental unit.", "id": "767"}} +{"put": "id:msmarco:passage::768", "fields": {"text": "Manteca California 's estimated population is 76,908. according to the most recent United States census.", "id": "768"}} +{"put": "id:msmarco:passage::769", "fields": {"text": "Guide. Your pulse is the rate at which your heart beats. Your pulse is usually called your heart rate, which is the number of times your heart beats each minute (bpm). But the rhythm and strength of the heartbeat can also be noted, as well as whether the blood vessel feels hard or soft.", "id": "769"}} +{"put": "id:msmarco:passage::770", "fields": {"text": "Bring your music to life with glowing, multi-coloured visuals and transform wherever you are into a party. Take full control of your Pulse 2 light show using JBL Prism color sensor lens. Just point and shoot the lens at the color you want, and watch the Pulse 2 amplify the colors of life.", "id": "770"}} +{"put": "id:msmarco:passage::771", "fields": {"text": "1 See how well the heart is working. 2 In an emergency situation, your pulse rate can help find out if the heart is pumping enough blood. 3 Help find the cause of symptoms, such as an irregular or rapid heartbeat (palpitations), dizziness, fainting, chest pain, or shortness of breath.", "id": "771"}} +{"put": "id:msmarco:passage::772", "fields": {"text": "Taking a pulse not only measures the heart rate, but also can indicate the following: Heart rhythm. Strength of the pulse. The normal pulse for healthy adults ranges from 60 to 100 beats per minute. The pulse rate may fluctuate and increase with exercise, illness, injury, and emotions. Females ages 12 and older, in general, tend to have faster heart rates than do males.", "id": "772"}} +{"put": "id:msmarco:passage::773", "fields": {"text": "Blood pressure, measured with a blood pressure cuff and stethoscope by a nurse or other health care provider, is the force of the blood pushing against the artery walls. Each time the heart beats, it pumps blood into the arteries, resulting in the highest blood pressure as the heart contracts. One cannot take his or her own blood pressure unless an electronic blood pressure monitoring device is used. Electronic blood pressure monitors may also measure the heart rate, or pulse.", "id": "773"}} +{"put": "id:msmarco:passage::774", "fields": {"text": "JBL Connect. Build your own ecosystem by connecting multiple JBL Connect enabled speakers together to amplify the listening experience. Elevate your music experience to another dimension with the JBL Pulse 2, a portable Bluetooth speaker that offers sensational sound with an interactive light show.", "id": "774"}} +{"put": "id:msmarco:passage::775", "fields": {"text": "Pulse 2 also features a noise and echo cancelling speakerphone for crystal clear calls, and JBL Connect technology that can wirelessly link multiple JBL Connect enabled speakers together to amplify the listening experience.", "id": "775"}} +{"put": "id:msmarco:passage::776", "fields": {"text": "If your pulse has not returned to its morning resting rate one hour later, you are still having an allergic reaction to the food you ate previously and cannot get a decent result on another food until either your pulse slows again or until the next morning.", "id": "776"}} +{"put": "id:msmarco:passage::777", "fields": {"text": "Why It Is Done. Your pulse is checked to: 1 See how well the heart is working. 2 In an emergency situation, your pulse rate can help find out if the heart is pumping enough blood. 3 Help find the cause of symptoms, such as an irregular or rapid heartbeat (palpitations), dizziness, fainting, chest pain, or shortness of breath.", "id": "777"}} +{"put": "id:msmarco:passage::778", "fields": {"text": "The pulse rate is a measurement of the heart rate, or the number of times the heart beats per minute. As the heart pushes blood through the arteries, the arteries expand and contract with the flow of the blood.", "id": "778"}} +{"put": "id:msmarco:passage::779", "fields": {"text": "A form of health insurance against loss by accidental bodily injury. Injury to the body as the result of an accident. A benefit in addition to the face amount of a life insurance policy, payable if the insured dies as the result of an accident. Sometimes referred to as double indemnity.", "id": "779"}} +{"put": "id:msmarco:passage::780", "fields": {"text": "Life insurance which permits changes in the face amount, premium amount, period of protection, and the duration of the premium payment period. A representative of an insurance company who investigates and acts on the behalf of the company to obtain agreements for the amount of the insurance claim.", "id": "780"}} +{"put": "id:msmarco:passage::781", "fields": {"text": "A financial interest in the life of another person; a possibility of losing something of value if the insured should die. In life and health insurance, insurable interest must be stated at the time of policy issue.", "id": "781"}} +{"put": "id:msmarco:passage::782", "fields": {"text": "Let\u2019s discuss the definition https://tr.im/GetFreeInsuranceQu... of each item and then we can review the differences. An insurance agency, sometimes called an insurance brokerage or independent agency, solicits, writes and binds policies through many different insurance companies.", "id": "782"}} +{"put": "id:msmarco:passage::783", "fields": {"text": "Our glossary is divided alphabetically by insurance term in a quick reference guide to assist understanding the language commonly used by insurance companies. Policy documents contain a number of these terms because they typically define the limitations of risk and liability on the insured and any exclusions of coverage.", "id": "783"}} +{"put": "id:msmarco:passage::784", "fields": {"text": "Insurance is a means of protection from financial loss. It is a form of risk management primarily used to hedge against the risk of a contingent, uncertain loss. An entity which provides insurance is known as an insurer, insurance company, or insurance carrier.", "id": "784"}} +{"put": "id:msmarco:passage::785", "fields": {"text": "a the act, system, or business of providing financial protection for property, life, health, etc., against specified contingencies, such as death, loss, or damage, and involving payment of regular premiums in return for a policy guaranteeing such protection. b the state of having such protection. c (Also called) insurance policy the policy providing such protection. d the pecuniary amount of such protection. e the premium payable in return for such protection.", "id": "785"}} +{"put": "id:msmarco:passage::786", "fields": {"text": "Life insurance which permits changes in the face amount, premium amount, period of protection, and the duration of the premium payment period. Adjuster. A representative of an insurance company who investigates and acts on the behalf of the company to obtain agreements for the amount of the insurance claim.", "id": "786"}} +{"put": "id:msmarco:passage::787", "fields": {"text": "Health and Life Insurance. The OPM website is the best resource for detailed insurance information. Visit OPM to explore the great benefits available to federal employees. NGA employees also benefit from other supplemental insurance options available to the Intelligence Community. The Federal Employees Health Benefits Program offers a wide variety of plans and coverage to help you meet your health care needs.", "id": "787"}} +{"put": "id:msmarco:passage::788", "fields": {"text": "Let\u2019s discuss the definition of each item and then we can review the differences. An insurance agency, sometimes called an insurance brokerage or independent agency, solicits, writes and binds policies through many different insurance companies. They are not directly employed by any one insurance carrier.", "id": "788"}} +{"put": "id:msmarco:passage::789", "fields": {"text": "Florida beach once again named best beach in the U.S. The best beach in the U.S. is in Florida once again, according to the annual TripAdvisor Travelers' Choice Awards. Say hello to your new No. 1 Clearwater Beach.", "id": "789"}} +{"put": "id:msmarco:passage::790", "fields": {"text": "Clearwater Beach named best beach in the U.S. by TripAdvisor. Florida is home to the No. 1 beach in the U.S. according to the annual TripAdvisor Travelers' Choice Awards. Say hello to your new No. 1 Clearwater Beach. Florida is home to the No. 1 beach in the U.S. according to the annual TripAdvisor Travelers' Choice Awards.", "id": "790"}} +{"put": "id:msmarco:passage::791", "fields": {"text": "Top 25 Beaches in United States. The first beach on our best beaches in the USA list is Bahia Honda state located near Big Pine Key in the Florida Keys. This park has several white sandy beaches for you to enjoy. Calusa, the smallest beach, is located on the northwest side of the island.", "id": "791"}} +{"put": "id:msmarco:passage::792", "fields": {"text": "1. Bahia Honda State Park, Florida. The first beach on our best beaches in the USA list is Bahia Honda state located near Big Pine Key in the Florida Keys. This park has several white sandy beaches for you to enjoy. Calusa, the smallest beach, is located on the northwest side of the island.", "id": "792"}} +{"put": "id:msmarco:passage::793", "fields": {"text": "1 The Amazon.com Gift Card will be delivered via email by TripAdvisor after your review is published and TripAdvisor has confirmed your stay. Only bookings made via \u201cBook on TripAdvisor\u201d on TripAdvisor.com are eligible. You must make your booking with a valid US address in order to be eligible for the offer.", "id": "793"}} +{"put": "id:msmarco:passage::794", "fields": {"text": "1 Be sure to book by 9/5/16. Only bookings valued at $200 (before taxes and fees) or more will be eligible. The hotel stay and review must be completed by 10/15/2016. The Amazon.com Gift Card will be delivered via email by TripAdvisor after your review is published and TripAdvisor has confirmed your stay.", "id": "794"}} +{"put": "id:msmarco:passage::795", "fields": {"text": "1 The hotel stay and review must be completed by 10/15/2016. The Amazon.com Gift Card will be delivered via email by TripAdvisor after your review is published and TripAdvisor has confirmed your stay. Only bookings made via \u201cBook on TripAdvisor\u201d on TripAdvisor.com are eligible.", "id": "795"}} +{"put": "id:msmarco:passage::796", "fields": {"text": "20 Most Beautiful Beaches in America.

Beaches are beautiful by nature, and America has plenty\u2014so it takes a special shore to be considered one of the country\u2019s finest. From Hawaii\u2019s fabled coves to the fairytale fishing towns of New England, breathtaking beaches carpet America\u2019s coasts. These swaths of sand never bore, whether it\u2019s Florida\u2019s year-round raucous shores or the constantly changing landscape of the mid-Atlantic capes.", "id": "796"}} +{"put": "id:msmarco:passage::797", "fields": {"text": "Best Beaches in the United States - Travelers' Choice Awards. Top 25 Beaches \u2014 United States. \u201cThe sugar fine white sand is a trademark of this fabulous beach. Perfect for a day in the sun.", "id": "797"}} +{"put": "id:msmarco:passage::798", "fields": {"text": "Higher marks went to the Gulf Coast beaches of Florida with only St. Augustine and Fort Lauderdale getting props for Florida's East Coast. Clearwater Beach was named the top beach in the U.S. for 2016 in the TripAdvisor Travelers' Choice Awards.", "id": "798"}} +{"put": "id:msmarco:passage::799", "fields": {"text": "Reasonable answers to this most perplexing of history's puzzles\u2014and there have been hundreds of answers advanced\u2014begin with understanding the complex nature of late Rome and the barbarian invasions in which the Roman Empire ultimately drowned.", "id": "799"}} +{"put": "id:msmarco:passage::800", "fields": {"text": "Likewise, the climate and ecology of the time cannot be adduced as the reason for something so earth-shattering as the Fall of Rome. Nor do any of the other two hundred or so entries cited make the cut in history's time trials, meaning that no one answer has as yet won the day for why the Romans lost.", "id": "800"}} +{"put": "id:msmarco:passage::801", "fields": {"text": "Select a Time Period: The Roman Empire began to slowly decline in the 3rd century AD, one of the main causes of Rome's early decline was a series of plagues, most notably the Plague of Cyprian, which decimated the population of the Empire, making it harder for Roman Emperors to levy armies and raise taxes.", "id": "801"}} +{"put": "id:msmarco:passage::802", "fields": {"text": "Even if the Romans of Rome still held the title to the Empire and affected superiority over the barbarians managing their domain, Roman possession of the lands around the Mediterranean Sea was, for the most part, only on paper.", "id": "802"}} +{"put": "id:msmarco:passage::803", "fields": {"text": "The Roman Empire was among the most powerful economic, cultural, political and military forces in the world of its time. It was one of the largest empires in world history. At its height under Trajan, it covered 5 million square kilometres, a territory composed of 48 nations in the 21st century.", "id": "803"}} +{"put": "id:msmarco:passage::804", "fields": {"text": "I. Introduction: Rome Before the Fall [click here for a brief overview of Roman history] After nearly half a millennium of rule, the Romans finally lost their grip on Europe in the fifth century (the 400's CE).", "id": "804"}} +{"put": "id:msmarco:passage::805", "fields": {"text": "The imperial successor to the republic lasted approximately 1,500 years. The first two centuries of the empire's existence were a period of unprecedented political stability and prosperity known as the Pax Romana, or Roman Peace. Following Octavian's victory, the size of the empire was dramatically increased.", "id": "805"}} +{"put": "id:msmarco:passage::806", "fields": {"text": "Despite the travails of their Western counterparts, the Eastern emperors\u2014by then, there were two Roman emperors, one in Rome and one in Constantinople\u2014continued to demand that the entire Empire pay taxes into a common treasury.", "id": "806"}} +{"put": "id:msmarco:passage::807", "fields": {"text": "The city of Rome was the largest city in the world c. 100 BC \u2013 c. 400 AD, with Constantinople (New Rome) becoming the largest around 500 AD, and the Empire's populace grew to an estimated 50 to 90 million inhabitants (roughly 20% of the world's population at the time).", "id": "807"}} +{"put": "id:msmarco:passage::808", "fields": {"text": "Espa\u00f1ol Fran\u00e7ais Portugu\u00eas \u03b5\u03bb\u03bb\u03b7\u03bd\u03b9\u03ba\u03ac \u0627\u0644\u0639\u0631\u0628\u064a\u0629. The Roman Empire began to slowly decline in the 3rd century AD, one of the main causes of Rome's early decline was a series of plagues, most notably the Plague of Cyprian, which decimated the population of the Empire, making it harder for Roman Emperors to levy armies and raise taxes.", "id": "808"}} +{"put": "id:msmarco:passage::809", "fields": {"text": "The ratio of number of residents in Lodi to the number of sex offenders is 63,301 to 1. The number of registered sex offenders compared to the number of residents in this city is near the state average. Median real estate property taxes paid for housing units with mortgages in 2015: $2,290 (0.8%)", "id": "809"}} +{"put": "id:msmarco:passage::810", "fields": {"text": "Lodi-area historical earthquake activity is near California state average. It is 777% greater than the overall U.S. average. On 4/18/1906 at 13:12:21, a magnitude 7.9 (7.9 UK, Class: Major, Intensity: VIII - XII) earthquake occurred 94.0 miles away from the city center, causing $524,000,000 total damage.", "id": "810"}} +{"put": "id:msmarco:passage::811", "fields": {"text": "Current Lodi, California Population, Demographics and stats in 2016, 2017.", "id": "811"}} +{"put": "id:msmarco:passage::812", "fields": {"text": "What Bert Has To Say About Stockton-Lodi Metro Area. Stockton, an inland port at the end of a ship channel accessing the San Francisco Bay, is a somewhat gritty Central California transportation, distribution and agricultural center.", "id": "812"}} +{"put": "id:msmarco:passage::813", "fields": {"text": "Lodi, California. Lodi /\u02c8lo\u028a.da\u026a/ LOH-dy is a city located in San Joaquin County, California, in the northern portion of California's Central Valley. The population was 62,134 at the 2010 census. Its estimated population as of July 1, 2013 was 63,338.", "id": "813"}} +{"put": "id:msmarco:passage::814", "fields": {"text": "Lodi, CA Population and Races. As of 2010-2014, the total population of Lodi is 63,158, which is 10.81% more than it was in 2000. The population growth rate is lower than the state average rate of 12.39% and is lower than the national average rate of 11.61%.", "id": "814"}} +{"put": "id:msmarco:passage::815", "fields": {"text": "Most / Least Educated Cities in CA. As of 2010-2014, the total population of Lodi is 63,158, which is 10.81% more than it was in 2000. The population growth rate is lower than the state average rate of 12.39% and is lower than the national average rate of 11.61%.", "id": "815"}} +{"put": "id:msmarco:passage::816", "fields": {"text": "Sponsored Topics. Lodi ( /lo\u028ada\u026a/) is a city located in San Joaquin County, California, in the northern portion of California's Central Valley. The population was 62,134 at the 2010 census. The California Department of Finance's population estimate as of January 1, 2011 is 62,473.", "id": "816"}} +{"put": "id:msmarco:passage::817", "fields": {"text": "Stockton is on the southeast corner of the broad delta formed by the confluence of the San Joaquin and Sacramento rivers. The surrounding terrain is flat, irrigated farm and orchard land near sea level. The Sierra Nevada foothills rise about 25 miles to the east and northeast.", "id": "817"}} +{"put": "id:msmarco:passage::818", "fields": {"text": "The ratio of number of residents in Lodi to the number of sex offenders is 63,301 to 1. The number of registered sex offenders compared to the number of residents in this city is near the state average. Nearest city with pop. 200,000+: Stockton, CA (10.6 miles , pop. 243,771).", "id": "818"}} +{"put": "id:msmarco:passage::819", "fields": {"text": "There have been many innovations in the shapes of tea bags over the years. The earliest tea bags were sack-like in shape. Later, tea bags became flat and rectangular. In the 1950s, Lipton invented the multi-dimensional Flo-Thru tea bag, which gave leaves more room to open.", "id": "819"}} +{"put": "id:msmarco:passage::820", "fields": {"text": "Oolong, a Chinese name for \u201cblack dragon,\u201d is a light, floral tea that, like green tea, is also packed with catechins, which help to promote weight loss by boosting your body\u2019s ability to metabolise lipids (fat).", "id": "820"}} +{"put": "id:msmarco:passage::821", "fields": {"text": "One part of the documentary covered Lipton tea and how it's made from many blends of tea. Up to 40 different kinds of black tea. So your lipton tea is basically a blend to get that lipton taste, so you never know where it's from or what kind of black tea it is. A tea taster would sip different teas and give them a number, then they would blend them according to these numbers to get that familiar taste.", "id": "821"}} +{"put": "id:msmarco:passage::822", "fields": {"text": "I've been drinking Lipton Diet Green Tea Citrus for several years. I purchased a 12 pack of bottles at Walmart on Oct 7th of this year. The first bottle I only drank half of because it hardly had any taste and no sweetness at all. I also noticed that it had some brown sediment in the bottom of the bottle.", "id": "822"}} +{"put": "id:msmarco:passage::823", "fields": {"text": "Hey, I heard that lipton tea is the best, but I want to know which flavor is the best,. Thanks. If you're limited to Lipton, I would say go for the pyramid style bags if you can find them. The bedtime story blend is actually pretty decent. If you're limited to tea bags, my advice would be to go for a loose leaf tea and just purchase a reusable tea bag to place the loose leaf tea in.", "id": "823"}} +{"put": "id:msmarco:passage::824", "fields": {"text": "It will even be called a Lipton like people may say a Nescaf\u00e9 (instead of a cup of coffee). Now this is my experience from living in the Middle East (Arabian Gulf) where the majority population is migrant South Asian. I'm sure there is variety in tea habits on the actual subcontinent.", "id": "824"}} +{"put": "id:msmarco:passage::825", "fields": {"text": "Tea is not as fresh as it used to be before new packaging. The tea labels disintegrate when I drop the bags in hot water. After 30 years of being a Lipton tea lover, I am ready to hunt a better tea. I always have bought the 100 single bag count regular brew.", "id": "825"}} +{"put": "id:msmarco:passage::826", "fields": {"text": "After 50 years of drinking Lipton tea every day (in recent years from tea bags in the 100 box), I am abandoning this product. Life is too short to drink bad tea, and Lipton is no longer of good quality on a consistent basis. Frequently now it is just not even drinkable.", "id": "826"}} +{"put": "id:msmarco:passage::827", "fields": {"text": "5 Best Teas for Weight Loss. A steaming cup of tea is the perfect drink for soothing a sore throat, warming up on a cold winter\u2019s night, or binge-watching Downton Abbey. But certain teas are also perfect for doing something else\u2014helping you lose extra weight.", "id": "827"}} +{"put": "id:msmarco:passage::828", "fields": {"text": "Each of these 5 Best Teas for Weight Loss has its own individual, magic properties, from dimming your hunger hormones to upping your calorie burn to\u2014literally\u2014melting the fat that\u2019s stored in your fat cells. Oh, and they can also help reduce your risk of heart disease and diabetes, too.", "id": "828"}} +{"put": "id:msmarco:passage::829", "fields": {"text": "The IPGSM-4G's single path communications solution allows. one technology to be used (Either IP or cellular) to provide the. appropriate connectivity to a central station. For added reliabil-. ity, our exclusive dual path solution allows both technologies. (IP and cellular) to be used together for maximum survivability.", "id": "829"}} +{"put": "id:msmarco:passage::830", "fields": {"text": "Set up values for REC01, REC02, and REC03 in UDC table 09/21. Use the Review and Revise Accounts program (P0901) to assign the category code values to accounts in your chart of accounts. For category code 21, assign the value REC01 for notes receivable accounts, REC02 for interest receivable accounts, and so on.", "id": "830"}} +{"put": "id:msmarco:passage::831", "fields": {"text": "These acronyms are often used in internal communications within a manufacturing environment. 7W: seven wastes. ABB: activity-based budgeting. ABC: activity-based costing. ABM: activity-based management. ABVS: automated best value system. ACV: all commodity volume. ADC: automated data collection.", "id": "831"}} +{"put": "id:msmarco:passage::832", "fields": {"text": "GTIN DEFINITION : INFORMATION. GTIN describes a family of GS1 (EAN.UCC) global data structures that employ 14 digits and can be encoded into various types of data carriers. Currently, GTIN is used exclusively within bar codes, but it could also be used in other data carriers such as radio frequency identification (RFID).", "id": "832"}} +{"put": "id:msmarco:passage::833", "fields": {"text": "The HP EliteBook. 8570w is ISV-certified so your mobile workstation runs smoothly and. reliably no matter what the project is. Keep up with large files and daunting projects with the incredible. performance and responsiveness of an Intel\u00ae Core\u2122 i7 quad-core. processor or an i7 or i5 dual-core processor.1 Gain improved.", "id": "833"}} +{"put": "id:msmarco:passage::834", "fields": {"text": "For this example, you would complete these steps: 1 Set up values for REC01, REC02, and REC03 in UDC table 09/21. 2 Use the Review and Revise Accounts program (P0901) to assign the category code values to accounts in your chart of accounts.", "id": "834"}} +{"put": "id:msmarco:passage::835", "fields": {"text": "Of all products shown, only the following are disinfectants registered with the EPA: Clorox\u00ae Regular-Bleach refers to the EPA registration number 5813-100 registered as Clorox\u00ae Regular-Bleach1.", "id": "835"}} +{"put": "id:msmarco:passage::836", "fields": {"text": "You can set up a version for each of the category codes that you use and specify the category code in a processing option for the program. If you assign the same category code value to more than one of your accounts, the system adds the amounts in all of the accounts and prints the total amount on the report.", "id": "836"}} +{"put": "id:msmarco:passage::837", "fields": {"text": "WAN), DSL model or cable modem. Our selectable reporting. path feature allows the radio to be configured for a single or. dual path solution as well as the appropriate supervision inter-. vals based on NFPA 72 requirements. (See diagram below for. selectable paths and supervision timing intervals.) Features.", "id": "837"}} +{"put": "id:msmarco:passage::838", "fields": {"text": "Who we are Founded in 1966 as the Commission on Accreditation of Rehabilitation Facilities, CARF International is an independent, nonprofit accreditor of health and human services in the following areas: Aging Services. Behavioral Health. Child and Youth Services. Employment and Community Services.", "id": "838"}} +{"put": "id:msmarco:passage::839", "fields": {"text": "Highlight lyrics to add Meanings, Special Memories, and Misheard Lyrics... From the sea. Of a man that Brandy loved. No harbor was his home. But my life, my love and my lady is the sea. And Brandy does her best to understand. But my life, my love and my lady is the sea.", "id": "839"}} +{"put": "id:msmarco:passage::840", "fields": {"text": "Brandy (You're A Fine Girl) - Song Lyrics. Originally performed by Looking Glass, a rock quartet from New Jersey formed in 1969, consisting of Elliot Lurie (lead guitar), Lawrence Gonsky (piano), Pieter Sweval (bass), and Jeff Grob (drums)", "id": "840"}} +{"put": "id:msmarco:passage::841", "fields": {"text": "Brandy (You're A Fine Girl) - Song Lyrics. An excerpt from a live Oracle performance is available as both a streaming RealAudio format, or as a higher quality downloadable MP3. Select the version you'd prefer.", "id": "841"}} +{"put": "id:msmarco:passage::842", "fields": {"text": "And there's a girl in this harbor town. And she works laying whiskey down. They say Brandy, fetch another round. And she serves them whiskey and wine. They say,Brandy, you're a fine girl. What a good wife you would be. You could steal a sailor. From the sea.", "id": "842"}} +{"put": "id:msmarco:passage::843", "fields": {"text": "No harbor was his home. The sailor said Brandy, you're a fine girl (you're a fine girl) What a good wife you would be (such a fine girl) But my life, my lover, my lady is the sea. (dooda-dit-dooda), (dit-dooda-dit-dooda-dit) Yeah, Brandy used to watch his eyes.", "id": "843"}} +{"put": "id:msmarco:passage::844", "fields": {"text": "Brandy , you're a fine girl ( you 're a fine girl ) < br / > What a good wife you would be ( such a fine girl ) < br / > But my life , my lover , my lady is the sea < br / > ( dooda-dit-dooda ) , ( dit-dooda-dit-dooda-dit ) < br / > < br / > Brandy , you're a fine girl ( you 're a fine girl ) < br / > [ FADE ] < br / > < br / > What ...", "id": "844"}} +{"put": "id:msmarco:passage::845", "fields": {"text": "Brandy (You're A Fine Girl) - Song Lyrics. 1 Originally performed by Looking Glass, a rock quartet from New Jersey formed in 1969, consisting of Elliot Lurie (lead guitar), Lawrence Gonsky (piano), Pieter Sweval (bass), and Jeff Grob (drums) The song was inspired by a girl in Lurie's life, but the story is fictional.", "id": "845"}} +{"put": "id:msmarco:passage::846", "fields": {"text": "She serves them whiskey and wine. The sailors say Brandy, you're a fine girl (you're a fine girl) What a good wife you would be (such a fine girl) Yeah your eyes could steal a sailor from the sea. (dooda-dit-dooda), (dit-dooda-dit-dooda-dit)", "id": "846"}} +{"put": "id:msmarco:passage::847", "fields": {"text": "Song Lyrics to Brandy (You're A Fine Girl) by Looking Glass. Originally performed by Looking Glass, a rock quartet from New Jersey formed in 1969, consisting of Elliot Lurie (lead guitar), Lawrence Gonsky (piano), Pieter Sweval (bass), and Jeff Grob (drums)", "id": "847"}} +{"put": "id:msmarco:passage::848", "fields": {"text": "1 Originally performed by Looking Glass, a rock quartet from New Jersey formed in 1969, consisting of Elliot Lurie (lead guitar), Lawrence Gonsky (piano), Pieter Sweval (bass), and Jeff Grob (drums) The song was inspired by a girl in Lurie's life, but the story is fictional.", "id": "848"}} +{"put": "id:msmarco:passage::849", "fields": {"text": "T/F: Air is the medium that sound waves travel through. T/F: Sound waves are a disturbance that moves through the air. T/F: Air molecules are carried along with sound waves. T/F: The speed of a wave depends on the medium through which it travels.", "id": "849"}} +{"put": "id:msmarco:passage::850", "fields": {"text": "Shock Waves and Sonic Booms. The Doppler effect is observed whenever the speed of the source is moving slower than the speed of the waves. But if the source actually moves at the same speed as or faster than the wave itself can move, a different phenomenon is observed.", "id": "850"}} +{"put": "id:msmarco:passage::851", "fields": {"text": "Asked by: Lockyear. Sonic boom is a common name for the loud noise that is created by the 'shock wave' produced by the air-plane that is traveling at speeds greater than that of sound ( speed of sound is approximately 332 m/s or 1195 km/hr or 717 miles/hour). These speeds are called supersonic speeds, hence this phenomena is sometimes called the supersonic boom.", "id": "851"}} +{"put": "id:msmarco:passage::852", "fields": {"text": "I myself think that it is D, cause a sonic boom is caused when you break the sound barrier (speed of sound) so you need to be above the speed of sound, hope it helps 1 :) Comments (5) 2 Report.", "id": "852"}} +{"put": "id:msmarco:passage::853", "fields": {"text": "Which below describes the conditions needed for a shock wave to form. An object moves at the speed of sound. The wave speed equals the object\u2019s speed. The wave speed equals the object\u2019s speed. An object moves faster than the speed of sound.", "id": "853"}} +{"put": "id:msmarco:passage::854", "fields": {"text": "circle the letter that describes how increasing the speed of the wave source above the wave speed affects the shape of the bow wave that is formed. a. the bow wave is unchanged. b. the bow wave has a narrower v shape.", "id": "854"}} +{"put": "id:msmarco:passage::855", "fields": {"text": "This phenomenon is known as a shock wave. Shock waves are also produced if the aircraft moves faster than the speed of sound. If a moving source of sound moves faster than sound, the source will always be ahead of the waves that it produces.", "id": "855"}} +{"put": "id:msmarco:passage::856", "fields": {"text": "The Doppler effect can be observed to occur with all types of waves - most notably water waves, sound waves, and light waves. The application of this phenomenon to water waves was discussed in detail in Unit 10 of The Physics Classroom Tutorial.", "id": "856"}} +{"put": "id:msmarco:passage::857", "fields": {"text": "Which best describes when a sonic boom occurs? A. when a object travels at or above the speed of sound. B. when an object travels at the speed of sound. C.When an object travels below the speed of sound. D. When an object travels above the speed of sound.", "id": "857"}} +{"put": "id:msmarco:passage::858", "fields": {"text": "suppose a friend far away taps a metal fence. a. the sound is softer and travels slower through the metal than through air. b.the sound is louder and travels slower through the metal than through air. c. the sound is softer and travels faster through the metal than through air. d. the sound is louder and travels faster through the metal than through air.", "id": "858"}} +{"put": "id:msmarco:passage::859", "fields": {"text": "And you need to take that course in order to take the next one, so you're really set back if you fail or couldn't sign up for a certain course. Plus, not that many engineering courses are offered over the summer. Most people I know take longer than 4 years.", "id": "859"}} +{"put": "id:msmarco:passage::860", "fields": {"text": "If you don\u2019t take an internship you can get an engineering degree in four years but it might be more challenging for you to get your first job depending on whether you have high grades and whether you have some engineering experience from working as a summer student.", "id": "860"}} +{"put": "id:msmarco:passage::861", "fields": {"text": "I have been going full time and full... show more I graduate high school at age 16 and went to college at 17 (couple months after i graduated high school) now i am 20 years old and i need about a year left to graduate from my Bachelors Degree Electrical Engineering.", "id": "861"}} +{"put": "id:msmarco:passage::862", "fields": {"text": "There is no a simple answer to this question and it can take from 4 to 6 years depending on whether you study hard and take 11 courses every semester and whether you decide to work as an intern or co-op student after your second or third year.", "id": "862"}} +{"put": "id:msmarco:passage::863", "fields": {"text": "This Site Might Help You. RE: On average, how long does it take to finish a engineering degree? I graduate high school at age 16 and went to college at 17 (couple months after i graduated high school) now i am 20 years old and i need about a year left to graduate from my Bachelors Degree Electrical Engineering.", "id": "863"}} +{"put": "id:msmarco:passage::864", "fields": {"text": "in this section. 1 How do I apply? 2 Am I eligible to apply for graduated study? 3 What is the difference between M.Eng and M.S. degree programs? 4 What materials should be included in my application? 5 Do I have to take the TOEFL? 6 What is the minimum GRE guideline? 7 How long are GRE scores valid? 8 What are the institutional and departmental codes for the ...", "id": "864"}} +{"put": "id:msmarco:passage::865", "fields": {"text": "The program is intended for those interested in professional practice and engineering. The M.S. degree is a research-oriented program that usually takes 4 semesters to complete and requires an independently written thesis. There are no credit-hour or specific course requirements.", "id": "865"}} +{"put": "id:msmarco:passage::866", "fields": {"text": "The M.Eng degree is set up to be completed in two semesters. No thesis is required; a final written report on the design project replaces the thesis. The program requires a minimum of 30 credit hours of technical graduate-level course work and work on a real-world design project.", "id": "866"}} +{"put": "id:msmarco:passage::867", "fields": {"text": "Those interested in a terminal Master\u2019s degree should apply to the Master of Engineering program; others may apply for the combined MS/PhD program. Competition for these assistantships and fellowships is very keen and in general only about 5% of new M.S. (/Ph.D.) applicants will receive an offer of financial aid.", "id": "867"}} +{"put": "id:msmarco:passage::868", "fields": {"text": "Master of Engineering (M.Eng); a coursework and project-oriented degree program usually completed in two semesters if started in the Fall. Admission to this program generally requires an undergraduate degree, or equivalent coursework, in an appropriate field of engineering.", "id": "868"}} +{"put": "id:msmarco:passage::869", "fields": {"text": "one year after the close of the study 8 new cases of cancer were diagnosed in the exposed area and two in the control area if you want to know where the towers and antennas are in your area and how close they are to your home or place of work visit antennasearch com", "id": "869"}} +{"put": "id:msmarco:passage::870", "fields": {"text": "locate the cell phone towers and antennas near you if you want to know where the towers and antennas are in your area and how close they are to your home or place of work visit antennasearch com this site provides detailed information on 1 9 million towers and antennas in the us", "id": "870"}} +{"put": "id:msmarco:passage::871", "fields": {"text": "A typical cellphone has enough power to reach a cell tower up to 45 miles away. Depending on the technology of the cellphone network, the maximum distance may be as low as 22 miles because the signal otherwise takes too long for the highly accurate timing of the cellphone protocol to work reliably.", "id": "871"}} +{"put": "id:msmarco:passage::872", "fields": {"text": "i recently found out that the house i was about to rent is 75meter away from a big celltower so i want to cancel the contract tomorrow i ve read that the radiation being put out by the neighbours wifi and dect phones is much bigger than the radiation being put out by big cell tower at 75meters distance", "id": "872"}} +{"put": "id:msmarco:passage::873", "fields": {"text": "hi i m not good with the technical stuff my sensitivity to emrs is at a purely instinctive level i just feel it as pain to differing levels of severity depending on where the source happens to be and how strong the emissions are but 75m is way too close to a cell tower", "id": "873"}} +{"put": "id:msmarco:passage::874", "fields": {"text": "originally 300m was given as a minimum distance for people to live work play nearby and bear in mind that was long before the 2g 3g 4g tetra levels were introduced and blanket residential wi fi existed", "id": "874"}} +{"put": "id:msmarco:passage::875", "fields": {"text": "i reside in ocean shores where telstra project of putting a 33m tower in the middle of a residential area 80 m away from the fist one and less that 300 m from 2 schools", "id": "875"}} +{"put": "id:msmarco:passage::876", "fields": {"text": "carriers often reduce the distance between a cellphone and a cell tower due to capacity issues a cellphone carrier receives a certain number of frequencies to use in his network at a given location each cell tower can handle a maximum number of calls determined by the number of separate frequencies", "id": "876"}} +{"put": "id:msmarco:passage::877", "fields": {"text": "i gave away my first cell phone after 6 days in 1999 then i went back to using cell phones but not that much then i started using them only with a headset now i like to leave it switched off the next step will be to throw it away", "id": "877"}} +{"put": "id:msmarco:passage::878", "fields": {"text": "the maximum distance between a cellphone and a cell tower depends on many different factors the connecting technology landscape features the power of the transmitter in the tower the size of the cellphone network cell and the design capacity of the network all play a role sometimes the celltower transmitter is set to low power on purpose so that it doesn t interfere with neighboring cells", "id": "878"}} +{"put": "id:msmarco:passage::879", "fields": {"text": "The U.S. Census Bureau provides data for the Federal, state and local governments as well as voting, redistricting, apportionment and congressional affairs. Geography is central to the work of the Bureau, providing the framework for survey design, sample selection, data collection, tabulation, and dissemination.", "id": "879"}} +{"put": "id:msmarco:passage::880", "fields": {"text": "Cary, Illinois 17,840 14.3% 1994: Marion, Illinois: 17,826 9.9% 1995: Bay City, Texas", "id": "880"}} +{"put": "id:msmarco:passage::881", "fields": {"text": "The city is part of the Marion-Herrin Micropolitan Area and is a part of the Carbondale-Marion-Herrin, Illinois Combined Statistical Area with 123,272 residents, the sixth most populous Combined statistical area in Illinois.", "id": "881"}} +{"put": "id:msmarco:passage::882", "fields": {"text": "Marion, Illinois. Marion is a city in and the county seat of Williamson County, Illinois, United States.[3] The population was 17,193 at the 2010 census. It is part of a dispersed urban area that developed out of the early 20th-century coal fields.", "id": "882"}} +{"put": "id:msmarco:passage::883", "fields": {"text": "In civilian labor force, total, percent of population age 16 years+, 2012-2016 60.9% In civilian labor force, female, percent of population age 16 years+, 2012-2016", "id": "883"}} +{"put": "id:msmarco:passage::884", "fields": {"text": "QuickFacts Illinois. QuickFacts provides statistics for all states and counties, and for cities and towns with a population of 5,000 or more.", "id": "884"}} +{"put": "id:msmarco:passage::885", "fields": {"text": "Comfort Suites Marion, 2608 W Main, Marion, Illinois 62959 , Phone: (618) 997-9133, Fax: (618) 997-1005 Motel 6, 1008 Halfway Rd, Marion, Illinois 62959 , Phone: (618) 993-2631, Fax: (618) 993-2719 Americas Best Value Inn, 1802 Bittle Pl, Marion, Illinois 62959 , Phone: (618) 997-1351, Fax: (618) 993-2241", "id": "885"}} +{"put": "id:msmarco:passage::886", "fields": {"text": "In civilian labor force, total, percent of population age 16 years+, 2012-2016: 65.4%: In civilian labor force, female, percent of population age 16 years+, 2012-2016: 60.6%: Total accommodation and food services sales, 2012 ($1,000) 27,937,381: Total health care and social assistance receipts/revenue, 2012 ($1,000) 83,431,778", "id": "886"}} +{"put": "id:msmarco:passage::887", "fields": {"text": "Best Western Plus Marion Hotel, 400 Comfort Dr, Marion, Illinois 62959 , Phone: (618) 998-1220 5 other hotels and motels All 13 fire-safe hotels and motels in Marion, Illinois", "id": "887"}} +{"put": "id:msmarco:passage::888", "fields": {"text": "Applicants must be between 17 and 35; meet the mental, moral, and physical standards for enlistment; and must speak, read and write English fluently. The U.S. military branches cannot assist foreign nationals in obtaining admittance into the United States.", "id": "888"}} +{"put": "id:msmarco:passage::889", "fields": {"text": "How much does an Army Navy Country Club membership cost? On average, the cost of a membership will depend on the membership you choose and oftentimes, the member\u2019s rank if they are in the military. For instance, the social membership, which allows members to enjoy everything but tennis and golf, can cost $5,000 to join and $300 per month to remain active. Again, depending on the rank, the initiation fees can range anywhere from $1,000 to more than $35,000 and most monthly dues average out to $300 to $500 per month.", "id": "889"}} +{"put": "id:msmarco:passage::890", "fields": {"text": "If you\u2019re a civilian member, the costs are much higher, often around $55,000 to $70,000 to join and about $290 to $500+ per month depending on the age. On this forum thread at DCUrbanMom.com, a member said they contacted the club as a civilian and was quoted $55,000 for the initiation fee and either $290 per month if under 35 or $520 if older than 35.", "id": "890"}} +{"put": "id:msmarco:passage::891", "fields": {"text": "Military Spending in the United States Facebook Twitter In fiscal year 2015, military spending is projected to account for 54 percent of all federal discretionary spending, a total of $598.5 billion. Military spending includes: all regular a National Priorities Project", "id": "891"}} +{"put": "id:msmarco:passage::892", "fields": {"text": "The following information is needed for all requests for locator services: Give as much identifying information as possible about the person you wish to locate such as full name, rank, last duty assignment/last known military address, service number, and Social Security number.", "id": "892"}} +{"put": "id:msmarco:passage::893", "fields": {"text": "On average, the cost of a membership will depend on the membership you choose and oftentimes, the member\u2019s rank if they are in the military. For instance, the social membership, which allows members to enjoy everything but tennis and golf can cost $5,000 to join and $300 per month. Again, depending on the rank, the initiation fees can range anywhere from $1,000 to more than $35,000 and most monthly dues average out to $300 to $500 per month.", "id": "893"}} +{"put": "id:msmarco:passage::894", "fields": {"text": "The Army Navy Country Club has been operational for over 85 years and offers two golf courses, six swimming pools, 20 tennis courts (6 indoor and 14 outdoor), a fitness center and many more amenities.", "id": "894"}} +{"put": "id:msmarco:passage::895", "fields": {"text": "Military Spending in the United States. Facebook Twitter. In fiscal year 2015, military spending is projected to account for 54 percent of all federal discretionary spending, a total of $598.5 billion. Military spending includes: all regular activities of the Department of Defense; war spending; nuclear weapons spendin g; international military assistance; and other Pentagon-related spending.", "id": "895"}} +{"put": "id:msmarco:passage::896", "fields": {"text": "Military Spending in the United States. In fiscal year 2015, military spending is projected to account for 54 percent of all federal discretionary spending, a total of $598.5 billion. Military spending includes: all regular activities of the Department of Defense; war spending; nuclear weapons spending; international military assistance; and other Pentagon-related spending.", "id": "896"}} +{"put": "id:msmarco:passage::897", "fields": {"text": "Requests for military addresses should be sent to the respective service of the individual whose address is being sought. Military regulations and the Privacy Act of 1974 do not permit the military departments to provide email addresses, home addresses or telephone numbers of service personnel.", "id": "897"}} +{"put": "id:msmarco:passage::898", "fields": {"text": "Instrumental temperature record. For temperature changes on other time scales, see Temperature record. Global mean surface temperature change from 1880 to 2016, relative to the 1951\u20131980 mean. The black line is the global annual mean and the red line is the five-year lowess smooth. The blue uncertainty bars show a 95% confidence limit.", "id": "898"}} +{"put": "id:msmarco:passage::899", "fields": {"text": "Many places also have a count of the number of days with wet weather. The calculation of days only includes those when precipitation amounted to at least 0.1 millimetres (0.004 inches). The annual amount of precipitation is an average of weather data collected during 1981 to 2010. You can jump to a separate table for each region of the country: North Netherlands, East Netherlands, West Netherlands and South Netherlands. North Netherlands covers the provinces of Groningen, Friesland and Drenthe.", "id": "899"}} +{"put": "id:msmarco:passage::900", "fields": {"text": "Rotterdam: Annual Weather Averages. July is the hottest month in Rotterdam with an average temperature of 17\u00b0C (63\u00b0F) and the coldest is January at 3\u00b0C (37\u00b0F) with the most daily sunshine hours at 7 in May. The wettest month is October with an average of 84mm of rain.", "id": "900"}} +{"put": "id:msmarco:passage::901", "fields": {"text": "The Netherlands. The Netherlands have a temperate maritime climate influenced by the North Sea and Atlantic Ocean, with cool summers and moderate winters. Daytime temperatures varies from 2\u00b0C-6\u00b0C in the winter and 17\u00b0C-20\u00b0C in the summer.", "id": "901"}} +{"put": "id:msmarco:passage::902", "fields": {"text": "During this time, the weather is warm but not excessively hot. The summer is the best time to enjoy the canals of Amsterdam or a long walk in the park. During July, the average temperature is 17.9 degrees Celsius, or 64.2 degrees Fahrenheit.", "id": "902"}} +{"put": "id:msmarco:passage::903", "fields": {"text": "The Netherlands. 1 The Netherlands have a temperate maritime climate influenced by the North Sea and Atlantic Ocean, with cool summers and moderate winters. Daytime temperatures varies from 2\u00b0C-6\u00b0C in the winter and 17\u00b0C-20\u00b0C in the summer. 2 Especially in fall and winter strong atlantic low-pressure systems can bring gales and uncomfortable weather.", "id": "903"}} +{"put": "id:msmarco:passage::904", "fields": {"text": "The Weather and Climate of the Netherlands. The Netherlands is a country that boasts a typical maritime climate with mild summers and cold winters. Wind and rain are common throughout most of the year with July and August being the wettest months. March is the driest month of the year.", "id": "904"}} +{"put": "id:msmarco:passage::905", "fields": {"text": "Amsterdam: Annual Weather Averages. August is the hottest month in Amsterdam with an average temperature of 17\u00b0C (63\u00b0F) and the coldest is January at 3\u00b0C (37\u00b0F) with the most daily sunshine hours at 7 in June. The wettest month is November with an average of 90mm of rain.", "id": "905"}} +{"put": "id:msmarco:passage::906", "fields": {"text": "The average temperature of Netherlands is about 2 degrees Celsius (35 degrees Fahrenheit) in the month of January. In July the average monthly temperature is 19\u00b0C. The annual average temperature is approximately 10 degrees Celsius (50 degrees Fahrenheit). The average rainfall in a year is 76.5cm which is a lot. People in the Netherlands complain much about the weather.", "id": "906"}} +{"put": "id:msmarco:passage::907", "fields": {"text": "This marked the third consecutive year reaching a new record temperature, the first time since the current warming trend began in the 1970s that three years in a row were record highs. 2016's record meant that 16 of the 17 warmest years have occurred since 2000.", "id": "907"}} +{"put": "id:msmarco:passage::908", "fields": {"text": "Words near smelly in the dictionary. 1 smellings. 2 smells. 3 smells-and-bells. 4 smells-fishy. 5 smelly. 6 smelt. 7 smelted. 8 smelter. 9 smelter-dust. 10 smelteries.", "id": "908"}} +{"put": "id:msmarco:passage::909", "fields": {"text": "Synonyms. verb perceive with the nose. 1 breathe star. 2 inhale star. 3 sniff star. 4 detect star. 5 snuff star. 6 discover star. 7 identify star. 8 nose star.", "id": "909"}} +{"put": "id:msmarco:passage::910", "fields": {"text": "Thesaurus. The thesaurus of synonyms and related words is fully integrated into the dictionary. Click on the thesaurus category heading under the button in an entry to see the synonyms and related words for that meaning.", "id": "910"}} +{"put": "id:msmarco:passage::911", "fields": {"text": "PPDB, the paraphrase database (0.00 / 0 votes) Rate these synonyms: List of paraphrases: odour, scent, odor, stink, feel, stench, perfume, whiff, aroma, meaning, sense, olfactory, fragrance, sniff, feeling, flavor, campsite, late.", "id": "911"}} +{"put": "id:msmarco:passage::912", "fields": {"text": "90% of the time, speakers of English use just 7,500 words in speech and writing. These words appear in red, and are graded with stars. One-star words are frequent, two-star words are more frequent, and three-star words are the most frequent.", "id": "912"}} +{"put": "id:msmarco:passage::913", "fields": {"text": "Related words. 1 smell verb. 2 smell blood phrase. 3 smell a rat phrase. 4 smell/stink to high heaven phrase. 5 smell like. 6 smell danger/trouble. 7 distinctly hear/see/smell etc. 8 sense of smell/taste/touch etc. 9 seem/look/sound/smell/taste/feel like. 10 wake up and smell the coffee. 11 catch a whiff of something. 12 be on the scent. 13 the sweet smell of success.", "id": "913"}} +{"put": "id:msmarco:passage::914", "fields": {"text": "Another word for smell. LINK / CITE ADD TO WORD LIST. smell aroma odor scent. These nouns denote a quality that can be perceived by the olfactory sense: the smell of gas; the aroma of frying onions; hospital odors; the scent of pine needles.", "id": "914"}} +{"put": "id:msmarco:passage::915", "fields": {"text": "\u00bb more... 1 He leaned closer, his hot breath laden with the smell of alcohol. 2 The masculine smell of him, the way his big hands caressed her cheek so softly... 3 Do you suppose they don't smell you coming so quickly? 4 The smell of coffee brought Yancey back into the room a little later. 5 After examining a rock for ants or other insects, she leaned ...", "id": "915"}} +{"put": "id:msmarco:passage::916", "fields": {"text": "Relevance ranks synonyms and suggests the best matches based on how closely a synonym\u2019s sense matches the sense you selected.", "id": "916"}} +{"put": "id:msmarco:passage::917", "fields": {"text": "Collins Cobuild English Dictionary for Advanced Learners 4th edition published in 2003 \u00a9 HarperCollins Publishers 1987, 1995, 2001, 2003 and Collins A-Z Thesaurus 1st edition first published in 1995 \u00a9 HarperCollins Publishers 1995.", "id": "917"}} +{"put": "id:msmarco:passage::918", "fields": {"text": "Take the milk: sheep\u2019s milk, the classic feta ingredient, makes a creamy, yellowish cheese with a soft texture and a decidedly \u201cbarnyard\u201d flavor. Pure goat\u2019s milk feta, like Agrafa, tends to be whiter, drier and milder than sheep and often has a slightly gamy aftertaste.", "id": "918"}} +{"put": "id:msmarco:passage::919", "fields": {"text": "Unlike a lot of other cheeses with geographically protected names, modern cheddar can come from anywhere, not just the area around Cheddar. Cheddar cheese eventually became one of England\u2019s most popular snacks. In 1170, King Henry II bought over five tons of the cheese for the bargain price of just a little over \u00a310.", "id": "919"}} +{"put": "id:msmarco:passage::920", "fields": {"text": "3. Monterey Jack. Monterey Jack only takes half of its name from a place. Franciscan friars around Monterey, CA, crafted a mild white cheese throughout the 19th century, but the semi-hard treat didn\u2019t begin spreading until Scottish immigrant David Jack started marketing his own version of the cheese.", "id": "920"}} +{"put": "id:msmarco:passage::921", "fields": {"text": "A World Away From Supermarket Feta. For people who are used to American supermarket feta, it\u2019s hard to understand the incredible breadth of the cheese, much less the near-maniacal devotion that some brands engender.", "id": "921"}} +{"put": "id:msmarco:passage::922", "fields": {"text": "Quick Answer. Feta cheese and goat cheese are both made from the milk of goats. The difference is that feta is also made using sheep's milk. In fact the majority, or 70 percent, of the milk used in feta is sheep's milk. Some feta is made entirely with sheep's milk.", "id": "922"}} +{"put": "id:msmarco:passage::923", "fields": {"text": "The word feta has an interesting genealogy. It comes from the Italian word fetta (meaning slice). Fetta, in turn, is of Latin origin from offa (meaning bite or morsel). It first appeared in Greek language in the 17th century, possibly referring to the process of serving the cheese by cutting it in thin slices.", "id": "923"}} +{"put": "id:msmarco:passage::924", "fields": {"text": "Served with a splash of olive oil and a sprinkle of herbs, it has complexity and character, and is the perfect accompaniment to go with a glass of retsina and a bowl of olives. Table cheese, in other words, describes a feta that isn\u2019t afraid to stand up to cheddar or manchego. It\u2019s a cheese that comes ready to play.", "id": "924"}} +{"put": "id:msmarco:passage::925", "fields": {"text": "Feta is an aged brine curd cheese, which is usually made from ewe's or goat's milk. Usually formed in square-shaped blocks, it is known to have a somewhat grainy consistency. However, in today's world there is an abundance of Feta Style cheese made with cow milk.", "id": "925"}} +{"put": "id:msmarco:passage::926", "fields": {"text": "Our Feta recipe is made with whole fat cow milk but ewe or goats milk can easily be used to achieve more traditional flavors. The recipe below is for 4.5 gallons of milk, if you would like to make a 2 gallon batch, simply reduce the culture and rennet and change the press weight as indicated below.", "id": "926"}} +{"put": "id:msmarco:passage::927", "fields": {"text": "Cheddar, which has been around since at least the 12th century, takes its name from the English village of Cheddar. The nearby Cheddar Gorge is full of caves that offer ideal conditions for aging cheese, so dairy farmers and their wives began using their surplus milk to make a new kind of cheese.", "id": "927"}} +{"put": "id:msmarco:passage::928", "fields": {"text": "Sounds and Noises a Refrigerator Makes. The normal operation of your refrigerator will cause some sound. The following list contains sounds that are normal. A Chirping/barking/woof/howl sound can sometimes be heard as the damper door opens/closes.", "id": "928"}} +{"put": "id:msmarco:passage::929", "fields": {"text": "Hum a few bars, please. This is one instance when sound coming from your fridge is a good thing. You're probably so used to it you don't even notice the low humming your refrigerator typically makes. But sometimes it's the absence of sound that makes you take notice.", "id": "929"}} +{"put": "id:msmarco:passage::930", "fields": {"text": "Sound coming from inside the fridge. The evaporation motor inside the fridge is supposed to get rid of excess moisture that could form ice inside your refrigerator. If the sound becomes louder when you open the fridge, then your evaporation motor is probably broken.", "id": "930"}} +{"put": "id:msmarco:passage::931", "fields": {"text": "1 A clicking/tic toc noise can be heard when the defrost timer switches on and off. 2 A click can be heard when the temperature control unit turns the unit on and off. A boiling, gurgling, or knocking sound can be heard when the unit is running. This is caused by the circulation of refrigerant.", "id": "931"}} +{"put": "id:msmarco:passage::932", "fields": {"text": "You may be wondering, Why does my refrigerator make that noise?. Check out some common refrigerator woes and what they could mean. Even if you can't fix your fridge foibles yourself, you may be reassured to know what the issue might be. Consult a reputable repair person to assess any issues you may have.", "id": "932"}} +{"put": "id:msmarco:passage::933", "fields": {"text": "The annoying humming noise that\u2019s coming from your fridge could be caused by a number of problems, some of which are easy to solve, some of which you\u2019ll need a quality mechanic for, and some that will force you to replace the machine. Read on if you have a refrigerator making humming noises and you want to fix it. Sound coming from the back. If the humming sound is coming from the back of the fridge, it\u2019s either due to your compressor or the motor fan. A broken compressor is a big deal, as your fridge won\u2019t cool properly.", "id": "933"}} +{"put": "id:msmarco:passage::934", "fields": {"text": "If the sound is coming from the bottom of the fridge, this it could be because your fridge is off balance. Make sure your fridge is level and all the feet are bearing pressure equally. If one foot is only lightly touching the ground, it could create a humming sound as the fridge vibrates against the floor.", "id": "934"}} +{"put": "id:msmarco:passage::935", "fields": {"text": "When something just clicks, it's usually a good thing. In the case of your fridge, however, you might not be so lucky. Clicking could mean your compressor is going bad. The unit might be struggling to get an electrical current to the compressor, overheat with the effort, shut off and make the clicking sound.", "id": "935"}} +{"put": "id:msmarco:passage::936", "fields": {"text": "If your fridge begins to hiss or makes noises like a sizzle, it could be an issue with the defroster (most newer units are self defrosting). The noise can be a result of what happens when cold water drips onto the warm defroster.", "id": "936"}} +{"put": "id:msmarco:passage::937", "fields": {"text": "1 A change in fan speed as the refrigerator responds to changes in temperature due to door opening. 2 A clicking/tic toc noise can be heard when the defrost timer switches on and off. A click can be heard when the temperature control unit turns the unit on and off.", "id": "937"}} +{"put": "id:msmarco:passage::938", "fields": {"text": "What Does a Sports Medicine Doctor Do? Learn about the job requirements and duties of a sports medicine doctor as well as the training and education necessary for... Become a Sports Physical Therapist: Education and Career Roadmap", "id": "938"}} +{"put": "id:msmarco:passage::939", "fields": {"text": "A physiatrist can be either a medical doctor (MD) or a doctor of osteopathic medicine (DO). A physiatrist may be referred to as a: Physiatrist; Physical medicine and rehabilitation physician; PM&R physician", "id": "939"}} +{"put": "id:msmarco:passage::940", "fields": {"text": "Today, there are over 8,000 physicians practicing physical medicine and rehabilitation. 1 Many PM&R physicians who treat back pain are part of a Spine Center or Spine Hospital, treating patients within a practice that includes other specialists, such as physical therapists, spine surgeons, rehabilitation specialists, and more.", "id": "940"}} +{"put": "id:msmarco:passage::941", "fields": {"text": "Today, there are over 8,000 physicians practicing physical medicine and rehabilitation. 1. Many PM&R physicians who treat back pain are part of a Spine Center or Spine Hospital, treating patients within a practice that includes other specialists, such as physical therapists, spine surgeons, rehabilitation specialists, and more.", "id": "941"}} +{"put": "id:msmarco:passage::942", "fields": {"text": "A physiatrist's treatment focuses on helping the patient become as functional and pain-free as possible in order to participate in and enjoy life as fully as possible. A physiatrist can be either a medical doctor (MD) or a doctor of osteopathic medicine (DO). 1 A physiatrist may be referred to as a: 2 Physiatrist. 3 Physical medicine and rehabilitation physician. 4 PM&R physician.", "id": "942"}} +{"put": "id:msmarco:passage::943", "fields": {"text": "Physical therapists can specialize in sports medicine and acquire clinical experience in the field through a residency in sports physical therapy. Residents are practicing physical therapists who wish to expand their competencies in sports medicine.", "id": "943"}} +{"put": "id:msmarco:passage::944", "fields": {"text": "Doctor Directory. A physiatrist practices in the field of physiatry - also called physical medicine and rehabilitation - which is a branch of medicine that specializes in diagnosis, treatment, and management of disease primarily using physical means, such as physical therapy and medications.", "id": "944"}} +{"put": "id:msmarco:passage::945", "fields": {"text": "The following is a list of back conditions commonly treated by physiatrists: 1 Back pain, sciatica. 2 Muscle and ligament injuries. 3 Work injuries. 4 Myofacial pain. 5 Fibromyalgia. 6 Spinal cord injury. 7 Osteoarthritis. 8 Ankylosing spondylitis. 9 Osteoporosis.", "id": "945"}} +{"put": "id:msmarco:passage::946", "fields": {"text": "To become a physical therapist, one must complete an accredited physical therapy program, many of which culminate in a doctorate degree, and earn state licensing. A residency program in sports medicine can train physical therapists to specialize in helping athletes, including preventing and treating injuries, and even enhancing performance.", "id": "946"}} +{"put": "id:msmarco:passage::947", "fields": {"text": "Education Requirements for a Physical Therapist in Sports Medicine. A degree from an accredited physical therapy program is required to work as a physical therapist in sports medicine. The U.S. Bureau of Labor Statistics (BLS) notes that only graduate programs are accredited.", "id": "947"}} +{"put": "id:msmarco:passage::948", "fields": {"text": "What does it mean when you see. . . When spotting an owl, eagle, orb, angel, rainbow, shooting star, butterfly, hawk, hummingbird, blue jay, cardinal, white dove, praying mantis, what does it mean? When talking symbolism, this is among the most common question about the myriad of things and symbols that surround us.", "id": "948"}} +{"put": "id:msmarco:passage::949", "fields": {"text": "Overwhelmingly in most cultures the mantis is a symbol of stillness. As such, she is an ambassador from the animal kingdom giving testimony to the benefits of meditation, and calming our minds. An appearance from the mantis is a message to be still, go within, meditate, get quite and reach a place of calm.", "id": "949"}} +{"put": "id:msmarco:passage::950", "fields": {"text": "Well, apparently, legend has it that if a praying mantis comes to you in your house, it is a good sign of things to come. But others say it could be an omen or the visit is trying to force you to re-evaluate issues in your life. Claude S. interpreted his mantis visit as a wake-up call:", "id": "950"}} +{"put": "id:msmarco:passage::951", "fields": {"text": "For other uses, see Praying mantis (disambiguation) and Mantis (disambiguation). Mantises are an order (Mantodea) of insects that contains over 2,400 species in about 430 genera in 15 families. The largest family is the Mantidae (mantids). Mantises are distributed worldwide in temperate and tropical habitats. They have triangular heads with bulging eyes supported on flexible necks.", "id": "951"}} +{"put": "id:msmarco:passage::952", "fields": {"text": "Symbolic Meaning for the Praying Mantis . . . The Praying Mantis is one of the more unusual insects and it is always good luck to find one. To come across a Praying Mantis is to take on its attributes, which we will talk about later.", "id": "952"}} +{"put": "id:msmarco:passage::953", "fields": {"text": "Praying Mantis Meaning in the Realm of Animal Symbolism. The mantis comes to us when we need peace, quiet and calm in our lives. Usually the mantis makes an appearance when we've flooded our lives with so much business, activity, or chaos that we can no longer hear the still small voice within us because of the external din we've created.", "id": "953"}} +{"put": "id:msmarco:passage::954", "fields": {"text": "Answers.com\u00ae is making the world better one answer at a time. An animal symbolism site states: Praying Mantis Meanings in the Realms of Animal Symbolism. The mantis comes to us when we need peace, quiet and calm in our lives.", "id": "954"}} +{"put": "id:msmarco:passage::955", "fields": {"text": "Meanings of the most commonly seen animals and other symbols. Among the most popular animals that are asked about are: owl, eagle, butterfly, hawk, hummingbird, blue jay, cardinal, white dove, and praying mantis. Other hot topics of query are: rainbow, double rainbow, shooting star, angel, angel in the clouds, and the mystical and ever curious orbs.", "id": "955"}} +{"put": "id:msmarco:passage::956", "fields": {"text": "Praying Mantis Symbolism. A practiced and formidable adversary. Praying Mantis Symbolism ~:~ It is always good luck to find a Praying Mantis. The Praying Mantis is agile, nimble and quick, like a ninja making it a formidable adversary. The elegant dance of the Praying Mantis has a hypnotizing effect, it draws you in wondering what the next move might be.", "id": "956"}} +{"put": "id:msmarco:passage::957", "fields": {"text": "Gore-Tex takes a plain (unguarded) ePTFE membrane and attaches it to a superthin protective polyurethane (PU) film, creating what is known in the rainwear industry as a bicomponent laminate. The PU layer is solid (technically speaking, monolithic) and shields the ePTFE from body oils and other contaminants.", "id": "957"}} +{"put": "id:msmarco:passage::958", "fields": {"text": "PU Coated Fabrics. Nobletex PU Coated Fabrics are made of the very toughest fabrics and is thoroughly tested to guarantee performance even after serious wear and tear, therefore provides rugged durable and excellent protection performance for a variety of end uses. Water proof & Water repellant.", "id": "958"}} +{"put": "id:msmarco:passage::959", "fields": {"text": "All rainwear exteriors (also known as face fabrics) are treated with a durable water repellent (DWR) finish. Even rainwear classified as water-resistant (which includes soft shells) carries a DWR finish. A DWR affects only the exterior of rainwear and is separate from a laminate or coating. Its purpose is to protect the face fabric from becoming saturated, weighing it down and causing any sensation of dampness. A DWR accomplishes this by causing water to bead up and roll off the garment's exterior.", "id": "959"}} +{"put": "id:msmarco:passage::960", "fields": {"text": "Polyurethane is a plastic material, which exists in various forms. It can be tailored to be either rigid or flexible, and is the material of choice for a broad range of end-user applications such as: insulation of refrigerators and freezers. building insulation. cushioning for furniture. mattresses. car parts. coatings.", "id": "960"}} +{"put": "id:msmarco:passage::961", "fields": {"text": "Phase I. Polyurethane Upholstery Fabric: How it\u2019s Made. Polyurethane, commonly referred to as \u2018PU\u2019, is a polymer that is considered to be a highly resilient, flexible and durable material. PU is very versatile and can be manufactured in various forms - to be hard like fiberglass, spongy as upholstery foam, robust and.", "id": "961"}} +{"put": "id:msmarco:passage::962", "fields": {"text": "They are usually natural or synthetic fabrics that are laminated to or coated with a waterproofing material such as rubber, polyvinyl chloride (PVC), polyurethane (PU), silicone elastomer, fluoropolymers, and wax.", "id": "962"}} +{"put": "id:msmarco:passage::963", "fields": {"text": "Waterproof fabrics are fabrics that are inherently, or have been treated to become, resistant to penetration by water and wetting. The term waterproof refers to conformance to a governing specification and specific conditions of a laboratory test method.", "id": "963"}} +{"put": "id:msmarco:passage::964", "fields": {"text": "Coated fabrics consist of woven and non-woven cloth with a coating or resin applied to the surface or saturated into the bulk of the material to provide some additional property. Specifications include: product type. material type. dimensions.", "id": "964"}} +{"put": "id:msmarco:passage::965", "fields": {"text": "Coated Fabrics Information. Coated fabrics consist of woven and non-woven cloth with a coating or resin applied to the surface or saturated into the bulk of the material to provide some additional property. Applications. Coated fabrics also differ in terms of applications.", "id": "965"}} +{"put": "id:msmarco:passage::966", "fields": {"text": "Hydrotuff (PVC-COATED) AND Hydrolite (PU-COATED) PRODUCT LINE. Our Hydrotuff \u00ae and Hydrolite \u00ae lines of commercial fabric are available in polyester and nylon base material with Polyurethane (PU) and Poly Vinyl Chloride (PVC) coatings. Both lines offer outstanding wear performance, are lightweight and very durable which gives these fabrics exceptional resistance to abrasion, punctures, and tears.", "id": "966"}} +{"put": "id:msmarco:passage::967", "fields": {"text": "For car owners interested in a complete makeover, Car owners can buy vehicle reupholstering kits for about $800, plus an additional $750 for a professional to install, Zalewski says. A custom upholstery for an entire car can cost about $2,500. There are also options for carpet repair.", "id": "967"}} +{"put": "id:msmarco:passage::968", "fields": {"text": "All cord piping is made by hand using premium marine vinyls and foam core (unless specified otherwise by customer). The average cost to completely remove, reupholster/rebuild, and reinstall all associated interior components in a 20 foot runabout is $2,500.00. Similar to the cost of a new couch, loveseat, and coffee table at a reasonably priced furniture store. Of course, prices will vary depending on the boat.", "id": "968"}} +{"put": "id:msmarco:passage::969", "fields": {"text": "DoItYourself.com explains how to reupholster a car seat for just the cost of the material (and spray paint if parts of the seat frame are corroded). Sunbrite Auto Works in Tampa, FL provides a how-to video for recovering a vehicle's headliner (60-wide foam-backed headliner material typically costs $10-$20 a yard).", "id": "969"}} +{"put": "id:msmarco:passage::970", "fields": {"text": "Kevin Kent, owner of highly rated Kent Auto Upholstery in Indianapolis, says he charges $175 to $185 for new bolsters. Reupholstering the bottom of the seat typically costs $130 to $350, while reupholstering an entire seat costs about $500 to $600, Zalewski says. \u201cI only touch what I need to touch,\u201d says Zalewski, adding most upholstery damage is limited to areas of heavy usage.", "id": "970"}} +{"put": "id:msmarco:passage::971", "fields": {"text": "Upholstery samples from 1965 book: Rambler-Kaiser Jeep. 1 2 3 4. eBay determines this price through a machine learned model of the product's sale prices within the last 90 days. eBay determines trending price through a machine learned model of the product\u2019s sale prices within the last 90 days.", "id": "971"}} +{"put": "id:msmarco:passage::972", "fields": {"text": "New layback seat in the down position. I may be able to use your old hinges or hardware to save expense if you are replacing your seats with the exact same style. The top photo clearly shows the old seat on the left and what a difference the new seat on the right makes to improve the looks of the interior.", "id": "972"}} +{"put": "id:msmarco:passage::973", "fields": {"text": "Zalewski says a thin carpet can cover the old carpet for about $350 to give it a new look. Replacing old carpet with aftermarket carpet costs about $750, while replacing old carpet with the original manufactured carpet can cost more than $1,000.", "id": "973"}} +{"put": "id:msmarco:passage::974", "fields": {"text": "Installation by an auto upholstery shop (which can include adding batting or foam, or repairing springs if needed) can cost an additional $100-$800 or more, bringing total costs to $200-$1,800 or more per row for professional installation of custom slip covers.", "id": "974"}} +{"put": "id:msmarco:passage::975", "fields": {"text": "Upholstery for Cars Cost. Typical costs: Custom seat covers (either from the original vehicle manufacturer or, more typically, from a company specializing in seat voers) are made-to-order to fit a specific seat style in a specific year, make and model of vehicle, and can cost $200-$1,000 or more per row, depending on size, style and material.", "id": "975"}} +{"put": "id:msmarco:passage::976", "fields": {"text": "Follow jeep upholstery to get e-mail alerts and updates on your eBay Feed. Unfollow jeep upholstery to stop getting updates on your eBay Feed. Yay! You're now following jeep upholstery in your eBay Feed.You will receive email alerts for new listings. Dont send me e-mail alerts.", "id": "976"}} +{"put": "id:msmarco:passage::977", "fields": {"text": "Education SpecialistSouthern Illinois Center for Workforce Development. I am the Family and Consumer Sciences facilitator for the Curriculum Revitalization Project. I give presentations to Illinois teachers on how to use the materials available at www.ilcte.org, as well as technology presentations. Manito, IlMidwest Central High School.", "id": "977"}} +{"put": "id:msmarco:passage::978", "fields": {"text": "So you\u2019re going to keep both Citi Exec cards ($900 annual fee for both), and in return get 24k bonus AA miles (2 cards x 1k bonus each month for 12 months \u2013 assumption you don\u2019t renew in 2016, therefore this retention offer is only good for 1 year).", "id": "978"}} +{"put": "id:msmarco:passage::979", "fields": {"text": "Find the graves of ancestors, create virtual memorials, add 'virtual flowers' and a note to a loved one's grave, etc. \u2022 Search 159 million grave records. \u2022 Search for a cemetery. \u2022 Add burial records. \u2022 View recently added names.", "id": "979"}} +{"put": "id:msmarco:passage::980", "fields": {"text": "\u2026to UK People Finder where we take a caring approach to helping you find lost friends or family members. Over the 20 years we have been searching for people we have successfully located hundreds of individuals both in the UK and across the world. This site is a result of our continued commitment to the personal searches market and to never knowingly tracing individuals for the recovery of debt. All we are interested in is reuniting family and friends for positive outcomes.", "id": "980"}} +{"put": "id:msmarco:passage::981", "fields": {"text": "Lindsay Wagner. This article is about the actress. For the Playboy Playmate, see Lindsay Wagner (model). Lindsay Jean Wagner (born June 22, 1949) is an American film and television actress, model, author, singer, acting coach, and adjunct professor.", "id": "981"}} +{"put": "id:msmarco:passage::982", "fields": {"text": "Good morning everyone, this is going to be a short post about the retention offers I received on my 5 Citi credit cards. Before I go on, I highly recommend reading Doctor of Credit\u2019s post on Retention Bonus Rules & Tips For Each Card Issuer \u2013 Get More Than One Bonus Each Year. I called Citi yesterday to tell them I was going to make a large \u201cpurchase\u201d at Target with my Citi American Airlines Executive Credit Card.", "id": "982"}} +{"put": "id:msmarco:passage::983", "fields": {"text": "David Hecker, President, AFT Michigan. Keith Johnson, President, Detroit Federation of Teachers. John McDonald, President, Henry Ford Community College Fed of Teachers. Ruby Newbold, President, Detroit Assoc. of Educational Office Employees.", "id": "983"}} +{"put": "id:msmarco:passage::984", "fields": {"text": "Lynda Carter was born on July 24, 1951 in Phoenix, Arizona, USA as Linda Jean Cordova Carter. She is an actress, known for Wonder Woman (1975), The Elder Scrolls IV: Oblivion (2006) and The Dukes of Hazzard (2005). She has been married to Robert Altman since January 29, 1984. They have two children.", "id": "984"}} +{"put": "id:msmarco:passage::985", "fields": {"text": "Continue on Hollins Ferry Road to Patapsco Avenue. Make a right onto Patapsco Avenue for approximately 2.5 miles. The courthouse is at the corner of Patapsco Avenue and 7th Street. The commissioner's office is on the first (ground) floor.", "id": "985"}} +{"put": "id:msmarco:passage::986", "fields": {"text": "Christina Gallagher. Christina Gallagher is the former executive assistant to Representative Peter Russo (D-PA) and President Garrett Walker, as well as Russo's former love interest. An attractive woman in her late twenties, Christina Gallagher was hired by Representative Peter Russo, a divorced father of two, sometime in 2012 to be his executive assistant.", "id": "986"}} +{"put": "id:msmarco:passage::987", "fields": {"text": "Take it one day at a time. Researchers continue to investigate arrhythmias, and they're making progress. The best thing you can do is to follow your treatment plan and take things one day at a time. Sometimes you may feel that you don't get the support you need and that the people around you aren't very understanding.", "id": "987"}} +{"put": "id:msmarco:passage::988", "fields": {"text": "Individual Agents: The following are some beta blockers that are in current use: nadolol (Corgard), propranolol (Inderal), atenolol (Tenormin), metoprolol (Toprol), carvedilol (Coreg) and labetalol. There are significant differences between many of the drugs in this class.", "id": "988"}} +{"put": "id:msmarco:passage::989", "fields": {"text": "Calcium channel blockers. Calcium channel blockers, also known as calcium antagonists, work by interrupting the movement of calcium into heart and blood vessel tissue. Besides being used to treat high blood pressure, they're also used to treat angina (chest pain) and/or some arrhythmias (abnormal heart rhythms). Beta-blockers. Beta-blockers decrease the heart rate and cardiac output, which lowers blood pressure by blocking the effects of adrenalin.", "id": "989"}} +{"put": "id:msmarco:passage::990", "fields": {"text": "They can help prevent heart attack and stroke. They can also prevent complications and slow the progression of coronary heart disease. Some of the major types of commonly prescribed cardiovascular medications used to treat arrhythmias are summarized in this section.", "id": "990"}} +{"put": "id:msmarco:passage::991", "fields": {"text": "There are three classes of diuretic drugs that are used to treat hypertension. Most commonly used are thiazide diuretics such as hydrochlorothiazide or chlorthalidone. There is not usually an increased urine flow after the first one or two days of taking these medications.", "id": "991"}} +{"put": "id:msmarco:passage::992", "fields": {"text": "Monitor your pulse. You should know how to take your pulse \u2013 especially if you have an artificial pacemaker. 1 Put the second and third fingers of one hand on the inside of the wrist of the other hand, just below the thumb OR on the side of your neck, just below the corner of your jaw. Feel for the pulse.", "id": "992"}} +{"put": "id:msmarco:passage::993", "fields": {"text": "All medications have side effects, including drugs to treat arrhythmias. Most of the side effects aren't serious and disappear when the dose is changed or the medication is stopped. But some side effects are very serious. That's why some children are admitted to the hospital to begin the medication.", "id": "993"}} +{"put": "id:msmarco:passage::994", "fields": {"text": "If you're being treated for arrhythmia and use any of these substances, be sure to discuss this with your doctor. Manage your risk factors. Just having an arrhythmia increases your risk of heart attack, cardiac arrest and stroke.", "id": "994"}} +{"put": "id:msmarco:passage::995", "fields": {"text": "Ethacrinic acid (Edecrin) is used in the rare patients who are allergic to diuretics. Loop diuretics are not as effective as thiazides in lowering blood pressure in patients with hypertension. They are used especially to treat edema (swelling of the ankles) or heart failure. However, unlike thiazides, they effective in patients with poor kidney function in lowering blood pressure or treating edema.", "id": "995"}} +{"put": "id:msmarco:passage::996", "fields": {"text": "You should know how to take your pulse \u2013 especially if you have an artificial pacemaker. Put the second and third fingers of one hand on the inside of the wrist of the other hand, just below the thumb OR on the side of your neck, just below the corner of your jaw.", "id": "996"}} +{"put": "id:msmarco:passage::997", "fields": {"text": "QuickFacts data are derived from: Population Estimates, American Community Survey, Census of Population and Housing, Current Population Survey, Small Area Health Insurance Estimates, Small Area Income and Poverty Estimates, State and County Housing Unit Estimates, County Business Patterns, Nonemployer Statistics, Economic Census, Survey of Business Owners, Building Permits.", "id": "997"}} +{"put": "id:msmarco:passage::998", "fields": {"text": "selected: Matanuska-Susitna Borough, Alaska; UNITED STATES. QuickFacts provides statistics for all states and counties, and for cities and towns with a population of 5,000 or more.", "id": "998"}} +{"put": "id:msmarco:passage::999", "fields": {"text": "Matanuska-Susitna Valley (/m\u00e6t\u0259\u02c8nu\u02d0sk\u0259 su\u02d0\u02c8s\u026atn\u0259/) (known locally as the Mat-Su or The Valley) is an area in Southcentral Alaska south of the Alaska Range about 35 miles (56 km) north of Anchorage, Alaska.", "id": "999"}}