Skip to content

Instantly share code, notes, and snippets.

@AndreasMadsen
Last active July 13, 2020 19:50
Show Gist options
  • Star 0 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save AndreasMadsen/6130122 to your computer and use it in GitHub Desktop.
Save AndreasMadsen/6130122 to your computer and use it in GitHub Desktop.
//
// Copyright 2010, 2011, Chris Winberry <chris@winberry.net>. All rights reserved.
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to
// deal in the Software without restriction, including without limitation the
// rights to use, copy, modify, merge, publish, distribute, sublicense, and/or
// sell copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in
// all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
// FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS
// IN THE SOFTWARE.
//
var i = 0,
TEXT = i++,
BEFORE_TAG_NAME = i++, //after <
IN_TAG_NAME = i++,
BEFORE_CLOSING_TAG_NAME = i++,
IN_CLOSING_TAG_NAME = i++,
AFTER_CLOSING_TAG_NAME = i++,
//attributes
BEFORE_ATTRIBUTE_NAME = i++,
IN_ATTRIBUTE_NAME = i++,
AFTER_ATTRIBUTE_NAME = i++,
BEFORE_ATTRIBUTE_VALUE = i++,
IN_ATTRIBUTE_VALUE_DOUBLE_QUOTES = i++, // "
IN_ATTRIBUTE_VALUE_SINGLE_QUOTES = i++, // '
IN_ATTRIBUTE_VALUE_NO_QUOTES = i++,
//declarations
BEFORE_DECLARATION = i++, // !
IN_DECLARATION = i++,
//processing instructions
IN_PROCESSING_INSTRUCTION = i++, // ?
//comments
BEFORE_COMMENT = i++,
IN_COMMENT = i++,
AFTER_COMMENT_1 = i++,
AFTER_COMMENT_2 = i++,
//cdata
BEFORE_CDATA_1 = i++, // [
BEFORE_CDATA_2 = i++, // C
BEFORE_CDATA_3 = i++, // D
BEFORE_CDATA_4 = i++, // A
BEFORE_CDATA_5 = i++, // T
BEFORE_CDATA_6 = i++, // A
IN_CDATA = i++,// [
AFTER_CDATA_1 = i++, // ]
AFTER_CDATA_2 = i++, // ]
//special tags
BEFORE_SPECIAL = i++, //S
BEFORE_SPECIAL_END = i++, //S
BEFORE_SCRIPT_1 = i++, //C
BEFORE_SCRIPT_2 = i++, //R
BEFORE_SCRIPT_3 = i++, //I
BEFORE_SCRIPT_4 = i++, //P
BEFORE_SCRIPT_5 = i++, //T
AFTER_SCRIPT_1 = i++, //C
AFTER_SCRIPT_2 = i++, //R
AFTER_SCRIPT_3 = i++, //I
AFTER_SCRIPT_4 = i++, //P
AFTER_SCRIPT_5 = i++, //T
BEFORE_STYLE_1 = i++, //T
BEFORE_STYLE_2 = i++, //Y
BEFORE_STYLE_3 = i++, //L
BEFORE_STYLE_4 = i++, //E
AFTER_STYLE_1 = i++, //T
AFTER_STYLE_2 = i++, //Y
AFTER_STYLE_3 = i++, //L
AFTER_STYLE_4 = i++; //E
function whitespace(c){
return c === " " || c === "\n" || c === "\t" || c === "\f";
}
function nothing(err) {
if (err instanceof Error) throw err;
}
function Tokenizer(){
this._state = TEXT;
this._buffer = "";
this._sectionStart = 0;
this._index = 0;
this._options = {};
this._special = 0; // 1 for script, 2 for style
this._running = true;
this._reconsume = false;
this._xmlMode = this._options && this._options.xmlMode;
}
Tokenizer.prototype.STATE_TEXT = function (c) {
if(c === "<"){
this._emitIfToken("ontext");
this._state = BEFORE_TAG_NAME;
this._sectionStart = this._index;
}
};
Tokenizer.prototype.STATE_BEFORE_TAG_NAME = function (c) {
if(c === "/"){
this._state = BEFORE_CLOSING_TAG_NAME;
} else if(c === ">" || this._special > 0 || whitespace(c)) {
this._state = TEXT;
} else if(whitespace(c)) {
// skip
} else if(c === "!"){
this._state = BEFORE_DECLARATION;
this._sectionStart = this._index + 1;
} else if(c === "?"){
this._state = IN_PROCESSING_INSTRUCTION;
this._sectionStart = this._index + 1;
} else if(!this._xmlMode && (c === "s" || c === "S")){
this._state = BEFORE_SPECIAL;
this._sectionStart = this._index;
} else {
this._state = IN_TAG_NAME;
this._sectionStart = this._index;
}
};
Tokenizer.prototype.STATE_IN_TAG_NAME = function (c) {
if(c === "/"){
this._emitToken("onopentagname");
nothing();
this._state = AFTER_CLOSING_TAG_NAME;
} else if(c === ">"){
this._emitToken("onopentagname");
nothing();
this._state = TEXT;
this._sectionStart = this._index + 1;
} else if(whitespace(c)){
this._emitToken("onopentagname");
this._state = BEFORE_ATTRIBUTE_NAME;
}
};
Tokenizer.prototype.STATE_BEFORE_CLOSING_TAG_NAME = function (c) {
if(whitespace(c));
else if(c === ">"){
this._state = TEXT;
} else if(this._special > 0){
if(c === "s" || c === "S"){
this._state = BEFORE_SPECIAL_END;
} else {
this._state = TEXT;
this._reconsume = true;
}
} else {
this._state = IN_CLOSING_TAG_NAME;
this._sectionStart = this._index;
}
};
Tokenizer.prototype.STATE_IN_CLOSING_TAG_NAME = function (c) {
if(c === ">"){
this._emitToken("onclosetag");
this._state = TEXT;
this._sectionStart = this._index + 1;
this._special = 0;
} else if(whitespace(c)){
this._emitToken("onclosetag");
this._state = AFTER_CLOSING_TAG_NAME;
this._special = 0;
}
};
Tokenizer.prototype.STATE_AFTER_CLOSING_TAG_NAME = function (c) {
//skip everything until ">"
if(c === ">"){
this._state = TEXT;
this._sectionStart = this._index + 1;
}
};
Tokenizer.prototype.STATE_BEFORE_ATTRIBUTE_NAME = function (c) {
if(c === ">"){
this._state = TEXT;
nothing();
this._sectionStart = this._index + 1;
} else if(c === "/"){
nothing();
this._state = AFTER_CLOSING_TAG_NAME;
} else if(!whitespace(c)){
this._state = IN_ATTRIBUTE_NAME;
this._sectionStart = this._index;
}
};
Tokenizer.prototype.STATE_IN_ATTRIBUTE_NAME = function (c) {
if(c === "="){
this._emitIfToken("onattribname");
this._state = BEFORE_ATTRIBUTE_VALUE;
} else if(whitespace(c)){
this._emitIfToken("onattribname");
this._state = AFTER_ATTRIBUTE_NAME;
} else if(c === "/" || c === ">"){
this._emitIfToken("onattribname");
this._state = BEFORE_ATTRIBUTE_NAME;
this._reconsume = true;
}
};
Tokenizer.prototype.STATE_AFTER_ATTRIBUTE_NAME = function (c) {
if(c === "="){
this._state = BEFORE_ATTRIBUTE_VALUE;
} else if(c === "/" || c === ">"){
this._state = BEFORE_ATTRIBUTE_NAME;
this._reconsume = true;
} else if(!whitespace(c)){
this._state = IN_ATTRIBUTE_NAME;
this._sectionStart = this._index;
}
};
Tokenizer.prototype.STATE_BEFORE_ATTRIBUTE_VALUE = function (c) {
if(c === "\""){
this._state = IN_ATTRIBUTE_VALUE_DOUBLE_QUOTES;
this._sectionStart = this._index + 1;
} else if(c === "'"){
this._state = IN_ATTRIBUTE_VALUE_SINGLE_QUOTES;
this._sectionStart = this._index + 1;
} else if(!whitespace(c)){
this._state = IN_ATTRIBUTE_VALUE_NO_QUOTES;
this._sectionStart = this._index;
}
};
Tokenizer.prototype.STATE_IN_ATTRIBUTE_VALUE_DOUBLE_QUOTES = function (c) {
if(c === "\""){
this._emitToken("onattribvalue");
this._state = BEFORE_ATTRIBUTE_NAME;
}
};
Tokenizer.prototype.STATE_IN_ATTRIBUTE_VALUE_SINGLE_QUOTES = function (c) {
if(c === "'"){
this._state = BEFORE_ATTRIBUTE_NAME;
this._emitToken("onattribvalue");
}
};
Tokenizer.prototype.STATE_IN_ATTRIBUTE_VALUE_NO_QUOTES = function (c) {
if(c === ">"){
this._emitToken("onattribvalue");
this._state = TEXT;
nothing();
this._sectionStart = this._index + 1;
} else if(whitespace(c)){
this._emitToken("onattribvalue");
this._state = BEFORE_ATTRIBUTE_NAME;
}
};
Tokenizer.prototype.STATE_BEFORE_DECLARATION = function (c) {
if(c === "[") this._state = BEFORE_CDATA_1;
else if(c === "-") this._state = BEFORE_COMMENT;
else this._state = IN_DECLARATION;
};
Tokenizer.prototype.STATE_IN_DECLARATION = function (c) {
if(c === ">"){
this._emitToken("ondeclaration");
this._state = TEXT;
this._sectionStart = this._index + 1;
}
};
Tokenizer.prototype.STATE_IN_PROCESSING_INSTRUCTION = function (c) {
if(c === ">"){
this._emitToken("onprocessinginstruction");
this._state = TEXT;
this._sectionStart = this._index + 1;
}
};
Tokenizer.prototype.STATE_BEFORE_COMMENT = function (c) {
if(c === "-"){
this._state = IN_COMMENT;
this._sectionStart = this._index + 1;
} else {
this._state = IN_DECLARATION;
}
};
Tokenizer.prototype.STATE_IN_COMMENT = function (c) {
if(c === "-") this._state = AFTER_COMMENT_1;
};
Tokenizer.prototype.STATE_AFTER_COMMENT_1 = function (c) {
if(c === "-") this._state = AFTER_COMMENT_2;
else this._state = IN_COMMENT;
};
Tokenizer.prototype.STATE_AFTER_COMMENT_2 = function (c) {
if(c === ">"){
//remove 2 trailing chars
nothing(this._buffer.substring(this._sectionStart, this._index - 2));
this._state = TEXT;
this._sectionStart = this._index + 1;
} else if (c !== "-") {
this._state = IN_COMMENT;
}
// else: stay in AFTER_COMMENT_2 (`--->`)
};
Tokenizer.prototype.STATE_BEFORE_CDATA_1 = function (c) {
if(c === "C") this._state = BEFORE_CDATA_2;
else this._state = IN_DECLARATION;
};
Tokenizer.prototype.STATE_BEFORE_CDATA_2 = function (c) {
if(c === "D") this._state = BEFORE_CDATA_3;
else this._state = IN_DECLARATION;
};
Tokenizer.prototype.STATE_BEFORE_CDATA_3 = function (c) {
if(c === "A") this._state = BEFORE_CDATA_4;
else this._state = IN_DECLARATION;
};
Tokenizer.prototype.STATE_BEFORE_CDATA_4 = function (c) {
if(c === "T") this._state = BEFORE_CDATA_5;
else this._state = IN_DECLARATION;
};
Tokenizer.prototype.STATE_BEFORE_CDATA_5 = function (c) {
if(c === "A") this._state = BEFORE_CDATA_6;
else this._state = IN_DECLARATION;
};
Tokenizer.prototype.STATE_BEFORE_CDATA_6 = function (c) {
if(c === "["){
this._state = IN_CDATA;
this._sectionStart = this._index + 1;
} else {
this._state = IN_DECLARATION;
}
};
Tokenizer.prototype.STATE_IN_CDATA = function (c) {
if(c === "]") this._state = AFTER_CDATA_1;
};
Tokenizer.prototype.STATE_AFTER_CDATA_1 = function (c) {
if(c === "]") this._state = AFTER_CDATA_2;
else this._state = IN_CDATA;
};
Tokenizer.prototype.STATE_AFTER_CDATA_2 = function (c) {
if(c === ">"){
//remove 2 trailing chars
nothing(this._buffer.substring(this._sectionStart, this._index - 2));
this._state = TEXT;
this._sectionStart = this._index + 1;
} else if (c !== "]") {
this._state = IN_CDATA;
}
//else: stay in AFTER_CDATA_2 (`]]]>`)
};
Tokenizer.prototype.STATE_BEFORE_SPECIAL = function (c) {
if(c === "c" || c === "C"){
this._state = BEFORE_SCRIPT_1;
} else if(c === "t" || c === "T"){
this._state = BEFORE_STYLE_1;
} else {
this._state = IN_TAG_NAME;
this._reconsume = true; //consume the token again
}
};
Tokenizer.prototype.STATE_BEFORE_SPECIAL_END = function (c) {
if(this._special === 1 && (c === "c" || c === "C")){
this._state = AFTER_SCRIPT_1;
} else if(this._special === 2 && (c === "t" || c === "T")){
this._state = AFTER_STYLE_1;
}
else this._state = TEXT;
};
Tokenizer.prototype.STATE_BEFORE_SCRIPT_1 = function (c) {
if(c === "r" || c === "R"){
this._state = BEFORE_SCRIPT_2;
} else {
this._state = IN_TAG_NAME;
this._reconsume = true; //consume the token again
}
};
Tokenizer.prototype.STATE_BEFORE_SCRIPT_2 = function (c) {
if(c === "i" || c === "I"){
this._state = BEFORE_SCRIPT_3;
} else {
this._state = IN_TAG_NAME;
this._reconsume = true; //consume the token again
}
};
Tokenizer.prototype.STATE_BEFORE_SCRIPT_3 = function (c) {
if(c === "p" || c === "P"){
this._state = BEFORE_SCRIPT_4;
} else {
this._state = IN_TAG_NAME;
this._reconsume = true; //consume the token again
}
};
Tokenizer.prototype.STATE_BEFORE_SCRIPT_4 = function (c) {
if(c === "t" || c === "T"){
this._state = BEFORE_SCRIPT_5;
} else {
this._state = IN_TAG_NAME;
this._reconsume = true; //consume the token again
}
};
Tokenizer.prototype.STATE_BEFORE_SCRIPT_5 = function (c) {
if(c === "/" || c === ">" || whitespace(c)){
this._special = 1;
}
this._state = IN_TAG_NAME;
this._reconsume = true; //consume the token again
};
Tokenizer.prototype.STATE_AFTER_SCRIPT_1 = function (c) {
if(c === "r" || c === "R") this._state = AFTER_SCRIPT_2;
else this._state = TEXT;
};
Tokenizer.prototype.STATE_AFTER_SCRIPT_2 = function (c) {
if(c === "i" || c === "I") this._state = AFTER_SCRIPT_3;
else this._state = TEXT;
};
Tokenizer.prototype.STATE_AFTER_SCRIPT_3 = function (c) {
if(c === "p" || c === "P") this._state = AFTER_SCRIPT_4;
else this._state = TEXT;
};
Tokenizer.prototype.STATE_AFTER_SCRIPT_4 = function (c) {
if(c === "t" || c === "T") this._state = AFTER_SCRIPT_5;
else this._state = TEXT;
};
Tokenizer.prototype.STATE_AFTER_SCRIPT_5 = function (c) {
if(c === ">" || whitespace(c)){
this._state = IN_CLOSING_TAG_NAME;
this._sectionStart = this._index - 6;
this._reconsume = true; //reconsume the token
}
else this._state = TEXT;
};
Tokenizer.prototype.STATE_BEFORE_STYLE_1 = function (c) {
if(c === "y" || c === "Y"){
this._state = BEFORE_STYLE_2;
} else {
this._state = IN_TAG_NAME;
this._reconsume = true; //consume the token again
}
};
Tokenizer.prototype.STATE_BEFORE_STYLE_2 = function (c) {
if(c === "l" || c === "L"){
this._state = BEFORE_STYLE_3;
} else {
this._state = IN_TAG_NAME;
this._reconsume = true; //consume the token again
}
};
Tokenizer.prototype.STATE_BEFORE_STYLE_3 = function (c) {
if(c === "e" || c === "E"){
this._state = BEFORE_STYLE_4;
} else {
this._state = IN_TAG_NAME;
this._reconsume = true; //consume the token again
}
};
Tokenizer.prototype.STATE_BEFORE_STYLE_4 = function (c) {
if(c === "/" || c === ">" || whitespace(c)){
this._special = 2;
}
this._state = IN_TAG_NAME;
this._reconsume = true; //consume the token again
};
Tokenizer.prototype.STATE_AFTER_STYLE_1 = function (c) {
if(c === "y" || c === "Y") this._state = AFTER_STYLE_2;
else this._state = TEXT;
};
Tokenizer.prototype.STATE_AFTER_STYLE_2 = function (c) {
if(c === "l" || c === "L") this._state = AFTER_STYLE_3;
else this._state = TEXT;
};
Tokenizer.prototype.STATE_AFTER_STYLE_3 = function (c) {
if(c === "e" || c === "E") this._state = AFTER_STYLE_4;
else this._state = TEXT;
};
Tokenizer.prototype.STATE_AFTER_STYLE_4 = function (c) {
if(c === ">" || whitespace(c)){
this._state = IN_CLOSING_TAG_NAME;
this._sectionStart = this._index - 5;
this._reconsume = true; //reconsume the token
}
else this._state = TEXT;
};
Tokenizer.prototype.CLEANUP = function () {
if(this._sectionStart === -1){
this._buffer = "";
this._index = 0;
} else {
if(this._state === TEXT){
if(this._sectionStart !== this._index){
nothing(this._buffer.substr(this._sectionStart));
}
this._buffer = "";
this._index = 0;
} else if(this._sectionStart === this._index){
//the section just started
this._buffer = "";
this._index = 0;
} else if(this._sectionStart > 0){
//remove everything unnecessary
this._buffer = this._buffer.substr(this._sectionStart);
this._index -= this._sectionStart;
}
this._sectionStart = 0;
}
};
//TODO make events conditional
//TODO make events conditional
Tokenizer.prototype.write = function(chunk){
this._buffer += chunk;
while(this._index < this._buffer.length && this._running){
var c = this._buffer.charAt(this._index);
if(this._state === TEXT) {
this.STATE_TEXT(c);
} else if(this._state === BEFORE_TAG_NAME){
this.STATE_BEFORE_TAG_NAME(c);
} else if(this._state === IN_TAG_NAME) {
this.STATE_IN_TAG_NAME(c);
} else if(this._state === BEFORE_CLOSING_TAG_NAME){
this.STATE_BEFORE_CLOSING_TAG_NAME(c);
} else if(this._state === IN_CLOSING_TAG_NAME){
this.STATE_IN_CLOSING_TAG_NAME(c);
} else if(this._state === AFTER_CLOSING_TAG_NAME){
this.STATE_AFTER_CLOSING_TAG_NAME(c);
}
/*
* attributes
*/
else if(this._state === BEFORE_ATTRIBUTE_NAME){
this.STATE_BEFORE_ATTRIBUTE_NAME(c);
} else if(this._state === IN_ATTRIBUTE_NAME){
this.STATE_IN_ATTRIBUTE_NAME(c);
} else if(this._state === AFTER_ATTRIBUTE_NAME){
this.STATE_AFTER_ATTRIBUTE_NAME(c);
} else if(this._state === BEFORE_ATTRIBUTE_VALUE){
this.STATE_BEFORE_ATTRIBUTE_VALUE(c);
} else if(this._state === IN_ATTRIBUTE_VALUE_DOUBLE_QUOTES){
this.STATE_IN_ATTRIBUTE_VALUE_DOUBLE_QUOTES(c);
} else if(this._state === IN_ATTRIBUTE_VALUE_SINGLE_QUOTES){
this.STATE_IN_ATTRIBUTE_VALUE_SINGLE_QUOTES(c);
} else if(this._state === IN_ATTRIBUTE_VALUE_NO_QUOTES){
this.STATE_IN_ATTRIBUTE_VALUE_NO_QUOTES(c);
}
/*
* declarations
*/
else if(this._state === BEFORE_DECLARATION){
this.STATE_BEFORE_DECLARATION(c);
} else if(this._state === IN_DECLARATION){
this.STATE_IN_DECLARATION(c);
}
/*
* processing instructions
*/
else if(this._state === IN_PROCESSING_INSTRUCTION){
this.STATE_IN_PROCESSING_INSTRUCTION(c);
}
/*
* comments
*/
else if(this._state === BEFORE_COMMENT){
this.STATE_BEFORE_COMMENT(c);
} else if(this._state === IN_COMMENT){
this.STATE_IN_COMMENT(c);
} else if(this._state === AFTER_COMMENT_1){
this.STATE_AFTER_COMMENT_1(c);
} else if(this._state === AFTER_COMMENT_2){
this.STATE_AFTER_COMMENT_2(c);
}
/*
* cdata
*/
else if(this._state === BEFORE_CDATA_1){
this.STATE_BEFORE_CDATA_1(c);
} else if(this._state === BEFORE_CDATA_2){
this.STATE_BEFORE_CDATA_2(c);
} else if(this._state === BEFORE_CDATA_3){
this.STATE_BEFORE_CDATA_3(c);
} else if(this._state === BEFORE_CDATA_4){
this.STATE_BEFORE_CDATA_4(c);
} else if(this._state === BEFORE_CDATA_5){
this.STATE_BEFORE_CDATA_5(c);
} else if(this._state === BEFORE_CDATA_6){
this.STATE_BEFORE_CDATA_6(c);
} else if(this._state === IN_CDATA){
this.STATE_IN_CDATA(c);
} else if(this._state === AFTER_CDATA_1){
this.STATE_AFTER_CDATA_1(c);
} else if(this._state === AFTER_CDATA_2){
this.STATE_AFTER_CDATA_2(c);
}
/*
* special tags
*/
else if(this._state === BEFORE_SPECIAL){
this.STATE_BEFORE_SPECIAL(c);
} else if(this._state === BEFORE_SPECIAL_END){
this.STATE_BEFORE_SPECIAL_END(c);
}
/*
* script
*/
else if(this._state === BEFORE_SCRIPT_1){
this.STATE_BEFORE_SCRIPT_1(c);
} else if(this._state === BEFORE_SCRIPT_2){
this.STATE_BEFORE_SCRIPT_2(c);
} else if(this._state === BEFORE_SCRIPT_3){
this.STATE_BEFORE_SCRIPT_3(c);
} else if(this._state === BEFORE_SCRIPT_4){
this.STATE_BEFORE_SCRIPT_4(c);
} else if(this._state === BEFORE_SCRIPT_5){
this.STATE_BEFORE_SCRIPT_5(c);
}
else if(this._state === AFTER_SCRIPT_1){
this.STATE_AFTER_SCRIPT_1(c);
} else if(this._state === AFTER_SCRIPT_2){
this.STATE_AFTER_SCRIPT_2(c);
} else if(this._state === AFTER_SCRIPT_3){
this.STATE_AFTER_SCRIPT_3(c);
} else if(this._state === AFTER_SCRIPT_4){
this.STATE_AFTER_SCRIPT_4(c);
} else if(this._state === AFTER_SCRIPT_5){
this.STATE_AFTER_SCRIPT_5(c);
}
/*
* style
*/
else if(this._state === BEFORE_STYLE_1){
this.STATE_BEFORE_STYLE_1(c);
} else if(this._state === BEFORE_STYLE_2){
this.STATE_BEFORE_STYLE_2(c);
} else if(this._state === BEFORE_STYLE_3){
this.STATE_BEFORE_STYLE_3(c);
} else if(this._state === BEFORE_STYLE_4){
this.STATE_BEFORE_STYLE_4(c);
}
else if(this._state === AFTER_STYLE_1){
this.STATE_AFTER_STYLE_1(c);
} else if(this._state === AFTER_STYLE_2){
this.STATE_AFTER_STYLE_2(c);
} else if(this._state === AFTER_STYLE_3){
this.STATE_AFTER_STYLE_3(c);
} else if(this._state === AFTER_STYLE_4){
this.STATE_AFTER_STYLE_4(c);
}
else {
nothing(Error("unknown state"), this._state);
}
if (this._reconsume) {
this._reconsume = false;
} else {
this._index++;
}
}
//cleanup
this.CLEANUP();
};
Tokenizer.prototype.pause = function(){
this._running = false;
};
Tokenizer.prototype.resume = function(){
this._running = true;
};
Tokenizer.prototype.end = function(chunk){
if(chunk) this.write(chunk);
//if there is remaining data, emit it in a reasonable way
if(this._sectionStart > this._index){
var data = this._buffer.substr(this._sectionStart);
if(this._state === IN_CDATA || this._state === AFTER_CDATA_1 || this._state === AFTER_CDATA_2){
nothing(data);
} else if(this._state === IN_COMMENT || this._state === AFTER_COMMENT_1 || this._state === AFTER_COMMENT_2){
nothing(data);
} else if(this._state === IN_TAG_NAME){
nothing(data);
} else if(this._state === IN_CLOSING_TAG_NAME){
nothing(data);
} else {
nothing(data);
}
}
nothing();
};
Tokenizer.prototype._emitToken = function(name){
nothing(this._buffer.substring(this._sectionStart, this._index));
this._sectionStart = -1;
};
Tokenizer.prototype._emitIfToken = function(name){
if(this._index > this._sectionStart){
nothing(this._buffer.substring(this._sectionStart, this._index));
}
this._sectionStart = -1;
};
(function () {
var FILES = [
[
"<!DOCTYPE html>\r\n<html lang=\"en\" itemscope itemtype=\"http://schema.org/NewsArticle\" itemid=\"http://www.nytimes.com/2013/05/10/health/prices-cut-for-hpv-cervical-cancer-vaccines-for-neediest.html\" xmlns:og=\"http://opengraphprotocol.org/schema/\" xmlns:fb=\"http://www.facebook.com/2008/fbml\">\r\n<head>\r\n<title>Prices Cut for HPV Cervical Cancer Vaccines for Neediest - NYTimes.com</title>\r\n<meta http-equiv=\"Content-Type\" content=\"text/html; charset=utf-8\">\n<meta itemprop=\"inLanguage\" content=\"en-US\">\n<meta itemprop=\"description\" name=\"description\" content=\"Two drug companies will charge less than $5 a dose to expand protection from the virus known as HPV to millions of girls in the poorest countries.\">\n<meta name=\"keywords\" content=\"Vaccination and Immunization,Cervical Cancer,Human Papilloma Virus (HPV),Gardasil (Vaccine),Cervarix (Vaccine),GAVI Alliance,Merck &amp; Company Inc,GlaxoSmithKline PLC\">\n<meta name=\"news_keywords\" content=\"Cervical cancer,HPV,Gardasil,Cervarix\">\n<meta name=\"ROBOTS\" content=\"NOARCHIVE\">\n<meta name=\"DISPLAYDATE\" content=\"May 9, 2013\">\n<meta itemprop=\"dateModified\" content=\"2013-05-09\">\n<meta itemprop=\"datePublished\" content=\"2013-05-09\">\n<meta name=\"hdl\" content=\"Prices Cut for HPV Cervical Cancer Vaccines for Neediest\">\n<meta itemprop=\"alternativeHeadline\" name=\"hdl_p\" content=\"Cancer Vaccines Get a Price Cut In Poor Nations\">\n<meta name=\"byl\" content=\"By DONALD G. McNEIL Jr.\">\n<meta name=\"lp\" content=\"Two drug companies will charge less than $5 a dose to expand protection from the virus known as HPV to millions of girls in the poorest countries.\">\n<meta itemprop=\"usageTerms\" content=\"http://www.nytimes.com/content/help/rights/sale/terms-of-sale.html\">\n<meta name=\"cre\" content=\"The New York Times\">\n<meta name=\"edt\" content=\"NewYork\">\n<meta name=\"pdate\" content=\"20130509\">\n<meta name=\"ttl\" content=\"\">\n<meta name=\"des\" content=\"Vaccination and Immunization;Cervical Cancer;Human Papilloma Virus (HPV);Gardasil (Vaccine);Cervarix (Vaccine)\">\n<meta name=\"per\" content=\"\">\n<meta name=\"org\" content=\"GAVI Alliance;Merck &amp; Company Inc;GlaxoSmithKline PLC\">\n<meta name=\"geo\" content=\"\">\n<meta name=\"ticker\" content=\"GlaxoSmithKline PLC|GSK|NYSE;Merck &amp; Company Inc|MRK|NYSE\">\n<meta name=\"slug\" content=\"10vaccine\">\n<meta name=\"utime\" content=\"20130515022057\">\n<meta name=\"ptime\" content=\"20130509071604\">\n<meta name=\"author\" content=\"DONALD G. McNEIL Jr.\">\n<meta name=\"dat\" content=\"May 9, 2013\">\n<meta itemprop=\"genre\" name=\"tom\" content=\"News\">\n<meta name=\"cat\" content=\"\">\n<meta name=\"col\" content=\"\">\n<meta itemprop=\"articleSection\" name=\"dsk\" content=\"Health\">\n<meta itemprop=\"identifier\" name=\"articleid\" content=\"100000002214964\">\n<meta name=\"ARTICLE_TEMPLATE_VERSION\" CONTENT=\"700\">\n<meta name=\"hdr_img\" content=\"/images/article/header/sect_health.gif\">\n<meta itemprop=\"thumbnailUrl\" name=\"thumbnail\" content=\"http://www.nytimes.com/images/2013/05/10/science/jp-vaccine/jp-vaccine-thumbStandard.jpg\">\n<meta name=\"thumbnail_height\" content=\"75\">\n<meta name=\"thumbnail_width\" content=\"75\">\n<meta name=\"thumbnail_150\" content=\"http://www.nytimes.com/images/2013/05/10/science/jp-vaccine/jp-vaccine-thumbLarge.jpg\">\n<meta name=\"thumbnail_150_height\" content=\"150\">\n<meta name=\"thumbnail_150_width\" content=\"150\">\n<meta name=\"sectionfront_jsonp\" content=\"http://json8.nytimes.com/pages/health/index.jsonp\">\n<meta name=\"CG\" content=\"health\">\n<meta name=\"SCG\" content=\"\">\n<meta name=\"PT\" content=\"Article\">\n<meta name=\"PST\" content=\"News\">\n<meta name=\"msapplication-starturl\" content=\"http://www.nytimes.com/\">\n<link rel=\"canonical\" href=\"http://www.nytimes.com/2013/05/10/health/prices-cut-for-hpv-cervical-cancer-vaccines-for-neediest.html?pagewanted=all\">\n<meta property=\"og:url\" content=\"http://www.nytimes.com/2013/05/10/health/prices-cut-for-hpv-cervical-cancer-vaccines-for-neediest.html?pagewanted=all\"/>\n<meta property=\"og:type\" content=\"article\"/>\n<meta property=\"og:title\" content=\"Prices Cut for HPV Cervical Cancer Vaccines for Neediest\"/>\n<meta property=\"og:description\" content=\"Two drug companies will charge less than $5 a dose to expand protection from the virus known as HPV to millions of girls in the poorest countries.\">\n<meta property=\"og:image\" content=\"http://graphics8.nytimes.com/images/2013/05/10/science/jp-vaccine/jp-vaccine-superJumbo.jpg\"/>\n<meta property=\"fb:app_id\" content=\"9869919170\"/>\n<meta name=\"twitter:card\" value=\"summary\">\n<meta name=\"twitter:site\" value=\"@nytimes\">\n<meta name=\"twitter:url\" content=\"http://www.nytimes.com/2013/05/10/health/prices-cut-for-hpv-cervical-cancer-vaccines-for-neediest.html?pagewanted=all\"/>\n<meta name=\"twitter:title\" content=\"Prices Cut for HPV Cervical Cancer Vaccines for Neediest\"/>\n<meta name=\"twitter:description\" content=\"Two drug companies will charge less than $5 a dose to expand protection from the virus known as HPV to millions of girls in the poorest countries.\"/>\n<meta name=\"twitter:image\" content=\"http://graphics8.nytimes.com/images/2013/05/10/science/jp-vaccine/jp-vaccine-thumbLarge.jpg\"/>\n<link rel=\"alternate\" href=\"http://mobile.nytimes.com/2013/05/10/health/prices-cut-for-hpv-cervical-cancer-vaccines-for-neediest.html\"/>\n\r\n\r\n<link rel=\"stylesheet\" type=\"text/css\" href=\"http://graphics8.nytimes.com/css/0.1/screen/build/article/2.0/health/styles.css?v=20121001\"><!--[if IE]>\r\n <style type=\"text/css\">\r\n @import url(http://graphics8.nytimes.com/css/0.1/screen/common/ie.css);\r\n </style>\r\n<![endif]-->\r\n<!--[if IE 6]>\r\n <style type=\"text/css\">\r\n @import url(http://graphics8.nytimes.com/css/0.1/screen/common/ie6.css);\r\n </style>\r\n<![endif]-->\r\n<!--[if lt IE 9]>\r\n <script src=\"http://graphics8.nytimes.com/js/html5shiv.js\"></script>\r\n<![endif]-->\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/common.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/common/screen/DropDown.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/util/tooltip.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/app/article/upNext.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/app/lib/prototype/1.6.0.2/prototype.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/app/lib/scriptaculous/1.8.1/effects.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/common/sharetools/2.0/shareTools.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/app/save/crossPlatformSave.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/app/article/articleCommentCount.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/EmbeddedComments/embeddedComments.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/app/article/articleEmbeddedComments.js\"></script>\r\n</head>\r\n\n \n\n<body >\n\r\n<!-- ADXINFO classification=\"blank-but-count-imps\" campaign=\"KRUX_DIGITAL_CONTROL_SCRIPT_LIVE\" priority=\"9100\" width=\"1\" height=\"1\" --><!-- BEGIN Krux Controltag -->\n<script class=\"kxct\" data-id=\"HrUwtkcl\" data-version=\"async:1.7\" type=\"text/javascript\">\n window.Krux||((Krux=function(){Krux.q.push(arguments)}).q=[]);\n (function(){\n var k=document.createElement('script');k.type='text/javascript';k.async=true;var m,src=(m=location.href.match(/\\bkxsrc=([^&]+)\\b/))&&decodeURIComponent(m[1]);\n k.src=src||(location.protocol==='https:'?'https:':'http:')+'//cdn.krxd.net/controltag?confid=HrUwtkcl';\n var s=document.getElementsByTagName('script')[0];s.parentNode.insertBefore(k,s);\n })();\n</script>\n<!-- END Krux Controltag -->\r\n\r\n<a name=\"top\"></a>\r\n<div id=\"shell\">\r\n<ul id=\"memberTools\">\n\n<!-- ADXINFO classification=\"Text_Link\" campaign=\"nyt2013_digi_sub_memday_bar1_hp_ros_3JYH4_3JYH3\" priority=\"1002\" width=\"0\" height=\"0\" --><!-- start text link -->\n<li class=\"cColumn-TextAdsHeader\">Subscribe:\n<a href=\"http://www.nytimes.com/adx/bin/adx_click.html?type=goto&opzn&page=www.nytimes.com/yr/mo/day/health&pos=Bar1&sn2=c90bbac7/7b527209&sn1=a4e91fd7/924a9607&camp=nyt2013_digi_sub_memday_bar1_hp_ros_3JYH4_3JYH3&ad=memday_last_bar1_hp_3JYH4_3JYH3&goto=http%3A%2F%2Fwww%2Enytimes%2Ecom%2Fsubscriptions%2FMultiproduct%2Flp3HY66%2Ehtml%3Fadxc%3D215961%26adxa%3D338866%26page%3Dwww.nytimes.com/yr/mo/day/health/prices-cut-for-hpv-cervical-cancer-vaccines-for-neediest.html%26pos%3DBar1%26campaignId%3D3JYH4\" target=\"_blank\">\nDigital</a> / <a href=\"http://www.nytimes.com/adx/bin/adx_click.html?type=goto&opzn&page=www.nytimes.com/yr/mo/day/health&pos=Bar1&sn2=c90bbac7/7b527209&sn1=7736dbfc/a1f93866&camp=nyt2013_digi_sub_memday_bar1_hp_ros_3JYH4_3JYH3&ad=memday_last_bar1_hp_3JYH4_3JYH3&goto=https%3A%2F%2Fnytimesathome%2Ecom%2Fhd%2F210%3FMediaCode%3DW22EJ%26CMP%3D3JYH3\" target=\"_blank\">Home Delivery</a>\n</li>\n<!-- end text link -->\n\n \n <li><a id=\"memberToolsLogin\" href=\"https://myaccount.nytimes.com/auth/login\">Log In</a></li>\n <li><a href=\"https://myaccount.nytimes.com/gst/regi.html\" onClick=\"dcsMultiTrack('WT.z_ract', 'Regnow', 'WT.z_rprod', 'Masthead','WT.z_dcsm','1');\">Register Now</a></li>\n \n\n<li><a href=\"http://www.nytimes.com/membercenter/sitehelp.html\">Help</a></li>\n</ul>\n<div class=\"mainTabsContainer tabsContainer\">\n<ul id=\"mainTabs\" class=\"mainTabs tabs\">\n<li class=\"first mainTabHome\"><a href=\"http://www.nytimes.com\">Home Page</a></li>\n<li class=\"mainTabTodaysPaper\"><a href=\"http://www.nytimes.com/pages/todayspaper/index.html\">Today's Paper</a></li>\n<li class=\"mainTabVideo\"><a href=\"http://www.nytimes.com/video\">Video</a></li>\n<li class=\"mainTabMostPopular\"><a href=\"http://www.nytimes.com/mostpopular\">Most Popular</a></li>\n</ul>\n</div>\n<div id=\"editionToggle\" class=\"editionToggle\">\nEdition: <span id=\"editionToggleUS\"><a href=\"http://www.nytimes.com\" onmousedown=\"dcsMultiTrack('DCS.dcssip','www.nytimes.com','DCS.dcsuri','/toggleIHTtoNYT.html','WT.ti','toggleIHTtoNYT','WT.z_dcsm','1');\" onclick=\"NYTD.EditionPref.setUS();\">U.S.</a></span> / <span id=\"editionToggleGlobal\"><a href=\"http://global.nytimes.com\" onmousedown=\"dcsMultiTrack('DCS.dcssip','www.nytimes.com','DCS.dcsuri','/toggleNYTtoIHT.html','WT.ti','toggleNYTtoIHT','WT.z_dcsm','1');\" onclick=\"NYTD.EditionPref.setGlobal();\">Global</a></span>\n</div><!--close editionToggle -->\n<script type=\"text/javascript\">\n NYTD.loadEditionToggle();\n\n window.setTimeout(function() {\n var login = document.getElementById('memberToolsLogin');\n if (login) {\n login.href += \"?URI=\" + window.location.href;\n }\n }, 0)\n </script>\n<div id=\"page\" class=\"tabContent active\">\r\n<div id=\"masthead\" class=\"wrap\">\n\n<div id=\"searchWidget\">\n<div class=\"inlineSearchControl\">\n<form enctype=\"application/x-www-form-urlencoded\" action=\"http://query.nytimes.com/search/sitesearch\" method=\"get\" name=\"searchForm\" id=\"searchForm\">\n<input type=\"hidden\" value=\"full\" name=\"date_select\"/>\n<label for=\"searchQuery\">Search All NYTimes.com</label>\n<input type=\"text\" class=\"text\" value=\"\" size=\"\" name=\"query\" id=\"searchQuery\"/>\n<input type=\"hidden\" id=\"searchAll\" name=\"type\" value=\"nyt\"/>\n<input id=\"searchSubmit\" title=\"Search\" width=\"22\" height=\"19\" alt=\"Search\" type=\"image\" src=\"http://graphics8.nytimes.com/images/global/buttons/go.gif\">\n</form>\n</div>\n</div>\n<div id=\"branding\" >\n<a href=\"http://www.nytimes.com\"><span id=\"nytIhtMastheadLogo\">\n<a href=\"http://www.nytimes.com\"><img src=\"http://graphics8.nytimes.com/images/misc/nytlogo152x23.gif\" alt=\"New York Times\" id=\"NYTLogo\"/></a>\n</span></a>\n</div>\n\n<h2>\n\n<a href=\"http://www.nytimes.com/pages/health/index.html\">Health</a>\n</h2>\n\n</div>\n<div class=\"navigation tabsContainer\">\n<ul class=\"tabs\">\n<li id=\"navWorld\" class=\"first \">\n<a href=\"http://www.nytimes.com/pages/world/index.html\">World</a>\n</li>\t<li id=\"navUs\" >\n<a href=\"http://www.nytimes.com/pages/national/index.html\">U.S.</a>\n</li>\t<li id=\"navNyregion\" >\n<a href=\"http://www.nytimes.com/pages/nyregion/index.html\">N.Y. / Region</a>\n</li>\t<li id=\"navBusiness\" >\n<a href=\"http://www.nytimes.com/pages/business/index.html\">Business</a>\n\n</li>\t<li id=\"navTechnology\" >\n<a href=\"http://www.nytimes.com/pages/technology/index.html\">Technology</a>\n</li>\t<li id=\"navScience\" >\n<a href=\"http://www.nytimes.com/pages/science/index.html\">Science</a>\n</li>\t<li id=\"navHealth\" class=\"selected\">\n<a href=\"http://www.nytimes.com/pages/health/index.html\">Health</a>\n</li>\t<li id=\"navSports\" >\n<a href=\"http://www.nytimes.com/pages/sports/index.html\">Sports</a>\n\n</li>\t<li id=\"navOpinion\" >\n<a href=\"http://www.nytimes.com/pages/opinion/index.html\">Opinion</a>\n\n</li>\t<li id=\"navArts\" >\n<a href=\"http://www.nytimes.com/pages/arts/index.html\">Arts</a>\n</li>\t<li id=\"navStyle\" >\n<a href=\"http://www.nytimes.com/pages/style/index.html\">Style</a>\n\n</li>\t<li id=\"navTravel\" >\n<a href=\"http://www.nytimes.com/pages/travel/index.html\">Travel</a>\n</li>\t<li id=\"navJobs\" >\n<a href=\"http://www.nytimes.com/pages/jobs/index.html\">Jobs</a>\n</li>\t<li id=\"navRealestate\" >\n<a href=\"http://www.nytimes.com/pages/realestate/index.html\">Real Estate</a>\n</li>\t<li id=\"navAutomobiles\" >\n<a href=\"http://www.nytimes.com/pages/automobiles/index.html\">Autos</a>\n</li></ul>\n</div>\n<div class=\"subNavigation tabContent active\">\n<div class=\"column first\">\n<div class=\"columnGroup\">\n<div class=\"inlineSearchControl\">\n<form enctype=\"application/x-www-form-urlencoded\" action=\"http://query.nytimes.com/search/sitesearch\" method=\"get\" name=\"searchForm\" id=\"searchForm\" class=\"searchForm\">\t\t\n<input type=\"hidden\" name=\"vertical\" value=\"health\"/>\n<div class=\"clearfix\">\n<label for=\"query\">Search Health</label>\n<input id=\"query_all\" name=\"query\" type=\"text\" value=\"\" class=\"text autoSuggestQuery\" autocomplete=\"off\"/>\n<ul class=\"autoSuggestQueryResults refer\" style=\"display:none\"></ul>\n<input title=\"Search\" alt=\"Search\" type=\"image\" src=\"http://graphics8.nytimes.com/images/global/buttons/go.gif\">\n</div>\n</form>\n</div>\n</div>\n</div>\n<div class=\"column last\">\n<div class=\"columnGroup\">\n<h5 class=\"sectionHeader\">Inside Health</h5>\n<ul>\n<li class=\"firstItem\">\n<a href=\"/pages/health/research/index.html\">Research</a>\n</li>\n<li>\n<a href=\"/pages/health/nutrition/index.html\">Fitness &amp; Nutrition</a>\n</li>\n<li>\n<a href=\"/pages/health/policy/index.html\">Money &amp; Policy</a>\n</li>\n<li>\n<a href=\"/pages/health/views/index.html\">Views</a>\n</li>\n<li class=\"lastItem\">\n<a href=\"http://health.nytimes.com/health/guides/index.html\">Health Guide</a>\n</li>\n</ul>\n</div>\n</div>\n</div>\n<script language=\"JavaScript\" type=\"text/javascript\">\n NYTD.require(NYTD.Hosts.jsHost + '/js/app/autosuggest/1.0/autosuggest.js');\n NYTD.require(NYTD.Hosts.jsHost + '/js/section/health/autosuggestConfig.js');\n</script>\t\t \t\t \t\t \n\n\n\n<div class=\"singleAd\" id=\"TopAd\">\n<!-- ADXINFO classification=\"Leaderboard_-_Standard\" campaign=\"nyt2013_digi_sub_memday_728x90_ros_3JY97\" priority=\"1002\" width=\"728\" height=\"90\" --><div align =\"center\" style=\"border: 0px #000000 solid; width:728px; height:90px; margin: 0 auto\">\n<script type=\"text/javascript\">\n var movieWidth = 728;\n var movieHeight = 90;\n var altSrc = \"http://graphics8.nytimes.com/adx/images/ADS/33/88/ad.338882/13-0676_MemorialDay_Banners_728x90_DM_Alt2.jpg\";\n var swfFile = \"http://graphics8.nytimes.com/adx/images/ADS/33/88/ad.338882/13-0676_MemorialDay_Banners_728x90_DM_Alt2.swf\";\n var altClickThru = \"http://www.nytimes.com/adx/bin/adx_click.html?type=goto&opzn&page=www.nytimes.com/yr/mo/day/health&pos=TopAd&sn2=91c7c4f7/ad7f64b3&sn1=8cc6ee3f/45932ffb&camp=nyt2013_digi_sub_memday_728x90_ros_3JY97&ad=memday_last_728x90_ros_3JY97&goto=http%3A%2F%2Fwww%2Enytimes%2Ecom%2Fsubscriptions%2FMultiproduct%2Flp3HY66%2Ehtml%3Fadxc%3D217010%26adxa%3D338882%26page%3Dwww.nytimes.com/yr/mo/day/health/prices-cut-for-hpv-cervical-cancer-vaccines-for-neediest.html%26pos%3DTopAd%26campaignId%3D3JY97\";\n var swfSrc = swfFile + \"?clicktag=\" + escape(altClickThru);\n</script>\n<script type=\"text/javascript\" src=\"http://www.nytimes.com/ads/common/embed3.js\">\n</script>\n</div>\n</div>\n\n\n<div id=\"main\">\r\n<div class=\"spanAB wrap closing\">\r\n<div id=\"abColumn\" class=\"abColumn\"><!--open abColumn -->\r\n<div id=\"article\">\r\n<!--cur: prev:-->\n<div class=\"columnGroup first\">\t\t\t\t\n<h1 itemprop=\"headline\" class=\"articleHeadline\"><NYT_HEADLINE version=\"1.0\" type=\" \">Cancer Vaccines Get a Price Cut in Poor Nations</NYT_HEADLINE></h1><NYT_BYLINE >\n<h6 class=\"byline\">By \n<span itemprop=\"author creator\" itemscope itemtype=\"http://schema.org/Person\" itemid=\"http://topics.nytimes.com/top/reference/timestopics/people/m/donald_g_jr_mcneil/index.html\">\n<a href=\"http://topics.nytimes.com/top/reference/timestopics/people/m/donald_g_jr_mcneil/index.html\" rel=\"author\" title=\"More Articles by DONALD G. McNEIL Jr.\"><span itemprop=\"name\">DONALD G. McNEIL Jr.</span></a></span></h6>\n</NYT_BYLINE>\n<h6 class=\"dateline\">Published: May 9, 2013 </h6>\n<div class=\"shareTools shareToolsThemeClassic articleShareToolsTop\"\n\tdata-shares=\"facebook,twitter,google,save,email,showall|Share,print,singlepage,reprints,ad\" \n\tdata-title=\"Cancer Vaccines Get a Price Cut in Poor Nations\" \n\tdata-url=\"http://www.nytimes.com/2013/05/10/health/prices-cut-for-hpv-cervical-cancer-vaccines-for-neediest.html\" \n\tdata-description=\"Two drug companies will charge less than $5 a dose to expand protection from the virus known as HPV to millions of girls in the poorest countries.\"></div>\n<meta name=\"emailThisHash\" content=\"wXbdyfS7F4CI1JUhZyhIGQ\">\n<div class=\"articleBody\">\n<span itemprop=\"copyrightHolder provider sourceOrganization\" itemscope itemtype=\"http://schema.org/Organization\" itemid=\"http://www.nytimes.com\">\n<meta itemprop=\"name\" content=\"The New York Times Company\"/>\n<meta itemprop=\"url\" content=\"http://www.nytco.com/\"/>\n<meta itemprop=\"tickerSymbol\" content=\"NYSE NYT\"/>\n</span>\n<meta itemprop=\"copyrightYear\" content=\"2013\"/>\n\n\n\n\n\n<NYT_TEXT >\n\n<NYT_CORRECTION_TOP>\n</NYT_CORRECTION_TOP>\n <p itemprop=\"articleBody\">\nThe two companies that make vaccines against cervical cancer announced Thursday that they would cut their prices to the world’s poorest countries below $5 per dose, eventually making it possible for millions of girls to be protected against a major deadly cancer. </p> \n</div>\n<div class=\"articleInline runaroundLeft\">\n \n<!--forceinline--> \n<div class=\"inlineImage module\">\n<div class=\"image\">\n<div class=\"icon enlargeThis\"><a href=\"javascript:pop_me_up2('http://www.nytimes.com/imagepages/2013/05/10/science/jp-vaccine.html','jp_vaccine_html','width=503,height=630,scrollbars=yes,toolbars=no,resizable=yes')\">Enlarge This Image</a></div>\n<a href=\"javascript:pop_me_up2('http://www.nytimes.com/imagepages/2013/05/10/science/jp-vaccine.html','jp_vaccine_html','width=503,height=630,scrollbars=yes,toolbars=no,resizable=yes')\">\n<span itemprop=\"associatedMedia\" itemscope itemid=\"http://graphics8.nytimes.com/images/2013/05/10/science/jp-vaccine/jp-vaccine-articleInline.jpg\" itemtype=\"http://schema.org/ImageObject\">\n<img itemprop=\"url\" src=\"http://graphics8.nytimes.com/images/2013/05/10/science/jp-vaccine/jp-vaccine-articleInline.jpg\" width=\"190\" height=\"220\" alt=\"\">\n<meta itemprop=\"identifier\" content=\"http://graphics8.nytimes.com/images/2013/05/10/science/jp-vaccine/jp-vaccine-articleInline.jpg\" />\n<meta itemprop=\"height\" content=\"190\" />\n<meta itemprop=\"width\" content=\"220\" />\n<meta itemprop=\"copyrightHolder\" content=\"Harry Cabluck/Associated Press\" />\n</span>\n</a>\n</div>\n<h6 class=\"credit\">Harry Cabluck/Associated Press</h6>\n<p class=\"caption\">A dose of Gardasil, developed by Merck, will sell for $4.50 in the poorest countries. </p>\n</div>\n \n \n</div>\n<div id=\"readerscomment\" class=\"inlineLeft\"></div>\n<div class=\"articleBody\">\n <p itemprop=\"articleBody\">\nThanks to Pap tests, fatal cervical cancers are almost unknown today in rich countries. But the disease kills an estimated 275,000 women a year in poor countries where Pap tests are impractical and the vaccine is far too expensive for the average woman to afford, so the price cut could lead to a significant advance in women’s health. </p><p itemprop=\"articleBody\">\nThe offer exemplifies a trend that started a decade ago with AIDS drugs: pharmaceutical companies, under pressure not to ignore the world’s poor, provide low prices on their newest products as long as donors guarantee large orders and pay for them. </p><p itemprop=\"articleBody\">\nThe World Health Organization, which has been pressing for faster progress in maternal health, greeted the news as “a great step forward for women and girls.” </p><p itemprop=\"articleBody\">\nWhen the new price was described, Dr. Paul D. Blumenthal, a professor of gynecology at the Stanford University School of Medicine who has pioneered cervical cancer prevention techniques in poor countries, said, “Mazel tov!” As long as there is enough affordable vaccine for the ever-growing populations of poor countries, he said, “this is good news for girls, women and their families.” </p><p itemprop=\"articleBody\">\nThe lower prices — $4.50 for Merck’s Gardasil vaccine and $4.60 for GlaxoSmithKline’s Cervarix — were negotiated through the <a title=\"Web site.\" href=\"http://www.gavialliance.org/\">GAVI Alliance</a>, which was created in 1999 with a grant from the Bill and Melinda Gates Foundation to deliver more vaccines to the world’s poor. </p><p itemprop=\"articleBody\">\nThe low price will initially apply to a few million doses for demonstration projects in Kenya, Ghana, Laos, Madagascar and elsewhere, but Dr. Seth Berkley, the alliance’s chief executive, said he hoped that by 2020, 30 million girls in 40 countries would get the vaccine at that price or less. </p><p itemprop=\"articleBody\">\nThe vaccines must be kept refrigerated, and three doses are normally given over six months — requirements that add to the difficulty of deploying them in poor countries. </p><p itemprop=\"articleBody\">\nThe vaccines cost about $130 a dose in the United States. The lowest price that any other agency or government has negotiated, Dr. Berkley said, is the $13 paid by the Pan American Health Organization, which has a bulk rate for Latin American countries. </p><p itemprop=\"articleBody\">\nSince Latin America includes a mix of poor and middle-income countries, manufacturers do not offer rock-bottom prices there, he said. The alliance subsidizes vaccine costs for the poorest nations in Africa, Asia and elsewhere, with the subsidies shrinking as the nations get richer. </p><p itemprop=\"articleBody\">\nThe vaccines protect against the strains of human papillomavirus, or HPV, that cause 70 percent of cervical cancers. Merck’s also prevents genital warts, caused by related viral strains. </p><p itemprop=\"articleBody\">\nGardasil and Cervarix, given to girls as young as 9, have caused controversy in the United States, where many parents fear side effects and worry that girls will see the vaccines as condoning sex at a young age. The vast majority of girls in the United States have not been inoculated. </p><p itemprop=\"articleBody\">\nIn Australia, where the vaccines have been readily accepted, a <a title=\"Times article.\" href=\"http://well.blogs.nytimes.com/2013/04/18/hpv-vaccine-showing-successes-in-australia/\">recent study</a> found a striking drop in cervical abnormalities, which are cancer precursors, among young women. In the five years after the vaccine was introduced there, cases of warts dropped by 93 percent among women and girls under age 21. </p><p itemprop=\"articleBody\">\nDespite the excitement among global health agencies, the charity Doctors Without Borders called the news “disappointing,” arguing that the prices should be even lower. “Why are the pharmaceutical companies still making profits off the backs of the poorest countries?” asked Kate Elder, a vaccines policy specialist at the charity. </p><p itemprop=\"articleBody\">\nHPV vaccines were developed with taxpayer money, largely from the National Institutes of Health, she said, and Glaxo and Merck have already reaped billions in profits from theirs. </p><p itemprop=\"articleBody\">\nMeasles vaccines, invented 50 years ago, cost as little as 25 cents to produce. Ms. Elder said she believed HPV vaccines could be made for as little as $1 a dose. She acknowledged, however, that her only evidence of that was an unofficial estimate by Pan American Health Organization experts. </p><p itemprop=\"articleBody\">\nA spokeswoman for the organization declined to discuss its assessment of manufacturing costs because its own price negotiations are continuing. </p><p itemprop=\"articleBody\">\nDr. Julie Gerberding, a former director of the Centers for Disease Control and Prevention who is president of Merck’s vaccine division, said $4.50 was Merck’s manufacturing cost, with no previous research, marketing or other costs built in. </p><p itemprop=\"articleBody\">\n“The price is what we calculate to be our cost of goods — we could be off by a few cents but not more,” she said. “As we expand volumes, the cost per unit can go down. Our intent is to sell it to GAVI at a price that does not bring profit to Merck.” </p><p itemprop=\"articleBody\">\nGlaxo declined on Wednesday to disclose its manufacturing costs, but noted that it had always been in first place on the <a title=\"Times article.\" href=\"http://www.nytimes.com/2012/12/04/health/glaxosmithkline-tops-access-to-medicines-index.html?ref=donaldgjrmcneil&amp;amp;_r=0\">Access to Medicines index</a>, which was introduced in 2008 to measure how well pharmaceutical companies get their goods to the poor. A company representative said it would not make a profit on the vaccine at the new price. </p><p itemprop=\"articleBody\">\nDr. Peter J. Hotez, president of the Sabin Vaccine Institute, said the vaccine should cost more to make than, for example, measles vaccine because it contains “viruslike particles” made through recombinant DNA technology rather than a virus simply grown in cells and then killed. Also, it protects against several HPV strains, while there is only one measles strain. </p><p itemprop=\"articleBody\">\nDr. Berkley described the new prices as a ceiling, and said he expected them to go down as millions more doses were ordered and as rival vaccine makers from lower-cost countries like India and China entered the field. Other companies, including the Serum Institute of India, the world’s largest vaccine maker, are developing papillomavirus vaccines, but only the Glaxo and Merck vaccines now have approval from the World Health Organization. </p><p itemprop=\"articleBody\">\nThe alliance, Dr. Berkley said, has already negotiated sharp price drops for the pentavalent vaccine, which protects against diphtheria, tetanus, whooping cough, hepatitis B and Haemophilus influenzae B. </p><p itemprop=\"articleBody\">\nThat shot costs about $30 in wealthy countries, and the alliance first started buying it at $3.50. “Now we’ve got it down to $1.19,” he said. </p><NYT_CORRECTION_BOTTOM>\t<div class=\"articleCorrection\">\n</div>\n</NYT_CORRECTION_BOTTOM><NYT_UPDATE_BOTTOM>\n</NYT_UPDATE_BOTTOM>\n</NYT_TEXT>\n</div>\n</div>\n<!--cur: prev:-->\n<div class=\"columnGroup \">\t\t\t\t\n<div class=\"articleFooter\">\n<div class=\"articleMeta\">\n<div class=\"opposingFloatControl wrap\">\n<div class=\"element1\">\n<h6 class=\"metaFootnote\">A version of this article appeared in print on May 10, 2013, on page <span itemprop=\"printSection\">A</span><span itemprop=\"printPage\">1</span> of the <span itemprop=\"printEdition\">New York edition</span> with the headline: Cancer Vaccines Get a Price Cut In Poor Nations.</h6>\n</div>\n</div>\n</div>\n\n<img itemprop=\"newsUsageTag\" src=\"http://analytics.apnewsregistry.com/analytics/v2/image.svc/TheNewYorkTimes/RWS/nytimes.com/CAI/100000002214964/E/prod/PC/Basic/AT/A\" alt=\"\" width=\"1\" height=\"1\" style=\"display:none;\" />\n\n</div>\t</div>\n<!--cur: prev:-->\n<div class=\"columnGroup \">\t\t\t\t\n<div class=\"shareTools shareToolsThemeClassic shareToolsThemeClassicHorizontal articleShareToolsBottom\"\n\tdata-shares=\"facebook|,twitter|,google|,save,email,showall|Share\" \n\tdata-title=\"Cancer Vaccines Get a Price Cut in Poor Nations\" \n\tdata-url=\"http://www.nytimes.com/2013/05/10/health/prices-cut-for-hpv-cervical-cancer-vaccines-for-neediest.html\" \n\tdata-description=\"Two drug companies will charge less than $5 a dose to expand protection from the virus known as HPV to millions of girls in the poorest countries.\"></div>\n<meta name=\"emailThisHash\" content=\"wXbdyfS7F4CI1JUhZyhIGQ\">\n</div>\n<!--cur: prev:-->\n<div class=\"columnGroup \">\t\t\t\t\n\n<div class=\"singleAd\" id=\"Bottom1\">\n<!-- ADXINFO classification=\"Text_Link\" campaign=\"nyt2013_digi_sub_memday_footer_3JY96\" priority=\"1002\" width=\"0\" height=\"0\" --><table width=\"100%\" border=\"0\">\n<tr>\n<td width=\"300\"><a href=\"http://www.nytimes.com/adx/bin/adx_click.html?type=goto&opzn&page=www.nytimes.com/yr/mo/day/health&pos=Bottom1&sn2=4957897f/da164ab7&sn1=550cd59a/e596af68&camp=nyt2013_digi_sub_memday_footer_3JY96&ad=memday_last_footer_3JY96&goto=http%3A%2F%2Fwww%2Enytimes%2Ecom%2Fsubscriptions%2FMultiproduct%2Flp3HY66%2Ehtml%3Fadxc%3D217009%26adxa%3D338881%26page%3Dwww.nytimes.com/yr/mo/day/health/prices-cut-for-hpv-cervical-cancer-vaccines-for-neediest.html%26pos%3DBottom1%26campaignId%3D3JY96\"><img src=\"http://graphics8.nytimes.com/adx/images/ADS/33/88/ad.338881/12-0999-Footer_Icon.jpg\" height=\"27\" width=\"40\" style=\"float: left; margin-right: 5px;\" alt=\"Get Home Delivery\" align=\"middle\" border=\"0\"/>Save 50% on a 16-week Times Subscription. Sale Ends Today. Act Now.</a>\n\n</td>\n</tr>\n</table>\n</div>\n\n</div>\n<!--cur: prev:-->\n<div class=\"columnGroup \">\t\t\t\t\n<div id=\"embeddedCommentsTileAd\" class=\"hidden\"> \n\n<div class=\"singleAd\" id=\"Spon2\">\n<!-- ADXINFO classification=\"Button_Ad_88x31_\" campaign=\"FSL2013_ArticleTools_88x31_1849317g_nyt5\" priority=\"9100\" width=\"88\" height=\"31\" --><a href=\"http://www.nytimes.com/adx/bin/adx_click.html?type=goto&opzn&page=www.nytimes.com/yr/mo/day/health&pos=Spon2&sn2=a4e46424/999775e9&sn1=1959a7f4/30f89c48&camp=FSL2013_ArticleTools_88x31_1849317g_nyt5&ad=TWWB88x31&goto=http%3A%2F%2Fwww%2Efoxsearchlight%2Ecom%2Fthewaywayback\" target=\"_blank\">\n<img src=\"http://graphics8.nytimes.com/adx/images/ADS/33/64/ad.336402/TWWB88x31.jpg\" width=\"88\" height=\"31\" border=\"0\">\n</a>\n</div>\n\n</div>\n<div id=\"commentsContainer\" class=\"commentsContainer singleRule\" ></div>\n</div>\n<!--cur: prev:-->\n<div class=\"columnGroup \">\t\t\t\t\n<div class=\"singleRuleDivider\"></div>\r\n<div class=\"articleBottomExtra\">\r\n<div class=\"column lastColumn\">\r\n<div class=\"emailAlertModule module\">\n<h5 class=\"sectionHeaderSm\">Get Free E-mail Alerts on These Topics</h5>\n<form action=\"https://myaccount.nytimes.com/mem/tnt.html\" method=\"GET\" enctype=\"application/x-www-form-urlencoded\">\n<input type=\"hidden\" name=\"retA\" value=\"http://www.nytimes.com//2013/05/10/health/prices-cut-for-hpv-cervical-cancer-vaccines-for-neediest.html\" >\n<input type=\"hidden\" name=\"retT\" value=\"Cancer Vaccines Get a Price Cut in Poor Nations\">\n<input type=\"hidden\" name=\"module\" value=\"call\">\n<input type=\"hidden\" name=\"alert_context\" value=\"1\">\n<table>\n<tbody>\n<tr>\n<td class = \"column\">\n<input type=\"hidden\" name=\"topic1\" value=\"Vaccination+and+Immunization\">\n<input type=\"hidden\" name=\"topic_field1\" value=\"des\">\n<a class=\"inTextReferEmail\" href=\"https://myaccount.nytimes.com/mem/tnt.html?module=call&alert_context=1&topic1=Vaccination+and+Immunization&topic_field1=des&topic1_check=y&retA=&retT=&cskey=\" onClick=\"javascript:s_code_linktrack('Article-RelatedTopics'); dcsMultiTrack('DCS.dcssip','www.nytimes.com','DCS.dcsuri','/newstracker/add.html','WT.ti','Newstracker Add','WT.z_nta','Add','WT.pers','Per','WT.z_dcsm','1');\" onmousedown=\"NYTD.relatedSearches.clickHandler(event);\" >\n<span itemprop=\"about\" itemscope itemtype=\"http://schema.org/Thing\"><span itemprop=\"name\">Vaccination and Immunization</span></span>\n</a>\n</td>\n<td class = \"lastColumn\">\n<input type=\"hidden\" name=\"topic1\" value=\"Cervical+Cancer\">\n<input type=\"hidden\" name=\"topic_field1\" value=\"des\">\n<a class=\"inTextReferEmail\" href=\"https://myaccount.nytimes.com/mem/tnt.html?module=call&alert_context=1&topic1=Cervical+Cancer&topic_field1=des&topic1_check=y&retA=&retT=&cskey=\" onClick=\"javascript:s_code_linktrack('Article-RelatedTopics'); dcsMultiTrack('DCS.dcssip','www.nytimes.com','DCS.dcsuri','/newstracker/add.html','WT.ti','Newstracker Add','WT.z_nta','Add','WT.pers','Per','WT.z_dcsm','1');\" onmousedown=\"NYTD.relatedSearches.clickHandler(event);\" >\n<span itemprop=\"about\" itemscope itemtype=\"http://schema.org/Thing\"><span itemprop=\"name\">Cervical Cancer</span></span>\n</a>\n</td>\n</tr>\n<tr>\n<td class = \"column singleRule\">\n<input type=\"hidden\" name=\"topic1\" value=\"Human+Papilloma+Virus+%28HPV%29\">\n<input type=\"hidden\" name=\"topic_field1\" value=\"des\">\n<a class=\"inTextReferEmail\" href=\"https://myaccount.nytimes.com/mem/tnt.html?module=call&alert_context=1&topic1=Human+Papilloma+Virus+%28HPV%29&topic_field1=des&topic1_check=y&retA=&retT=&cskey=\" onClick=\"javascript:s_code_linktrack('Article-RelatedTopics'); dcsMultiTrack('DCS.dcssip','www.nytimes.com','DCS.dcsuri','/newstracker/add.html','WT.ti','Newstracker Add','WT.z_nta','Add','WT.pers','Per','WT.z_dcsm','1');\" onmousedown=\"NYTD.relatedSearches.clickHandler(event);\" >\n<span itemprop=\"about\" itemscope itemtype=\"http://schema.org/Thing\"><span itemprop=\"name\">Human Papilloma Virus (HPV)</span></span>\n</a>\n</td>\n<td class = \"lastColumn singleRule\">\n<input type=\"hidden\" name=\"topic1\" value=\"GAVI+Alliance\">\n<input type=\"hidden\" name=\"topic_field1\" value=\"org\">\n<a class=\"inTextReferEmail\" href=\"https://myaccount.nytimes.com/mem/tnt.html?module=call&alert_context=1&topic1=GAVI+Alliance&topic_field1=org&topic1_check=y&retA=&retT=&cskey=\" onClick=\"javascript:s_code_linktrack('Article-RelatedTopics'); dcsMultiTrack('DCS.dcssip','www.nytimes.com','DCS.dcsuri','/newstracker/add.html','WT.ti','Newstracker Add','WT.z_nta','Add','WT.pers','Per','WT.z_dcsm','1');\" onmousedown=\"NYTD.relatedSearches.clickHandler(event);\" >\n<span itemprop=\"about\" itemscope itemtype=\"http://schema.org/Organization\"><span itemprop=\"name\">GAVI Alliance</span></span>\n</a>\n</td>\n</tr>\n</tbody>\n</table>\n</form>\n</div>\n</div>\r\n</div>\t</div>\n<!--cur: prev:-->\n<div class=\"columnGroup last\">\t\t\t\t\n\r\n<div class=\"columnGroup\" id=\"adxSponLink\"></div>\r\n<script language=\"JavaScript\">\r\n google_hints=\"Cancer Vaccines Get a Price Cut in Poor Nations\";google_ad_channel=\"archive, archive_health, archive_Health\";\n</script>\n<!-- ADXINFO classification=\"Email_Text_Ad_Version\" campaign=\"GoogleAdSense_ARTICLE_SPONLINK\" priority=\"1002\" width=\"0\" height=\"0\" --><script language=\"JavaScript\" type=\"text/javascript\">\n // Sponlink_short \n\nfunction getMetaValue(name) {\n var els = document.getElementsByName(name);\n if (els && els[0]) { return els[0].content; }\n return \"\";\n}\n\n NYTD.GoogleAds.paramObj = {google_ad_client:'nytimes_article_var', google_ad_channel:'left', ad_target_list:'sponLink' };\n NYTD.GoogleAds.paramObj.google_hints = getMetaValue('keywords');\n NYTD.GoogleAds.getGoogleAds(\"AFC\", NYTD.GoogleAds.paramObj);\n </script>\r\n\r\n</div>\n</div>\r\n</div><!--close abColumn -->\r\n<div id=\"cColumn\" class=\"cColumn\">\r\n\n<div class=\"columnGroup\">\n\n</div>\n<!----> <div class=\"columnGroup first\">\n<div class=\"relatedStories nocontent well\">\n<h3 class=\"sectionHeader\"><a href=\"http://well.blogs.nytimes.com/\" alt=\"Well\" title=\"Well\">Well</a></h3>\n<div class=\"story\">\n<h5><a href=\"http://well.blogs.nytimes.com/2013/05/27/fat-talk-compels-but-carries-a-cost/\" target=\"_blank\">&lsquo;Fat Talk&rsquo; Compels but Carries a Cost</a></h5>\n<p class=\"date\">May 27, 2013</p>\n</div>\n<div class=\"story\">\n<h5><a href=\"http://well.blogs.nytimes.com/2013/05/27/the-new-rules-for-sunscreen/\" target=\"_blank\">The New Rules for Sunscreen</a></h5>\n<p class=\"date\">May 27, 2013</p>\n</div>\n<div class=\"story\">\n<h5><a href=\"http://well.blogs.nytimes.com/2013/05/27/really-the-claim-fresh-produce-has-more-nutrients-than-canned/\" target=\"_blank\">Really? The Claim: Fresh Produce Has More Nutrients Than Canned</a></h5>\n<p class=\"date\">May 27, 2013</p>\n</div>\n<div class=\"story\">\n<h5><a href=\"http://well.blogs.nytimes.com/2013/05/27/facing-cancer-together/\" target=\"_blank\">Battling Cancer Together</a></h5>\n<p class=\"date\">May 27, 2013</p>\n</div>\n<div class=\"story\">\n<h5><a href=\"http://well.blogs.nytimes.com/2013/05/24/for-a-better-smoothie-just-add-chia/\" target=\"_blank\">For a Better Smoothie, Just Add Chia</a></h5>\n<p class=\"date\">May 24, 2013</p>\n</div>\n</div>\n \t</div>\n<!----> <div class=\"columnGroup \">\n\n</div>\n<!----> <div class=\"columnGroup \">\n\n<div class=\"singleAd\" id=\"MiddleRight\">\n<!-- ADXINFO classification=\"Big_Ad_-_Standard\" campaign=\"GoogleAdSense_ROS_INT_BA\" priority=\"1350\" width=\"300\" height=\"250\" --><div class=\"clearfix\">\n<script language=\"JavaScript\">\n<!--\nif (!window.nyt_google_count) { var nyt_google_count = 0; }\nif ((!window.nyt_google_ad_channel) && (window.google_ad_channel)) { var nyt_google_ad_channel = google_ad_channel; }\nif ((!window.nyt_google_hints) && (window.google_hints)) { var nyt_google_hints = google_hints; }\nif ((!window.nyt_google_contents) && (window.google_contents)) { var nyt_google_contents = google_contents; }\nfunction ss(w,id) {window.status = w;return true;}function cs(){window.status='';}function ha(a){ pha=document.getElementById(a); nhi=pha.href.indexOf(\"&nh=\");if(nhi < 1) {phb=pha.href+\"&nh=1\";} pha.href=phb;}function ca(a) { pha=document.getElementById(a); nci=pha.href.indexOf(\"&nc=\");if(nci < 1) {phb=pha.href+\"&nc=1\";} pha.href=phb;window.open(document.getElementById(a).href);}function ga(o,e) {if (document.getElementById) {a=o.id.substring(1);p = \"\";r = \"\";g = e.target;if (g) {t = g.id;f = g.parentNode;if (f) {p = f.id;h = f.parentNode;if (h)r = h.id;}} else {h = e.srcElement;f = h.parentNode;if (f)p = f.id;t = h.id;}if (t==a || p==a || r==a)return true;pha=document.getElementById(a); nbi=pha.href.indexOf(\"&nb=\");if(nbi < 1) {phb=pha.href+\"&nb=1\";} pha.href=phb;window.open(document.getElementById(a).href);}}\n \nfunction google_ad_request_done(ads) {\n var s = '';\n var i;\n \n if (ads.length == 0) {\n return;\n }\n \n if (ads[0].type == \"image\") {\n s += '<a href=\"' + ads[0].url +\n '\" target=\"_blank\" title=\"go to ' + ads[0].visible_url +\n '\"><img border=\"0\" src=\"' + ads[0].image_url +\n '\"width=\"' + ads[0].image_width +\n '\"height=\"' + ads[0].image_height + '\"></a>';\n } else if (ads[0].type == \"flash\") {\n s += '<object classid=\"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000\"' +\n ' codebase=\"http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0\"' +\n ' WIDTH=\"' + google_ad.image_width +\n '\" HEIGHT=\"' + google_ad.image_height + '\">' +\n '<PARAM NAME=\"movie\" VALUE=\"' + google_ad.image_url + '\">' +\n '<PARAM NAME=\"quality\" VALUE=\"high\">' +\n '<PARAM NAME=\"AllowScriptAccess\" VALUE=\"never\">' +\n '<EMBED src=\"' + google_ad.image_url +\n '\" WIDTH=\"' + google_ad.image_width +\n '\" HEIGHT=\"' + google_ad.image_height +\n '\" TYPE=\"application/x-shockwave-flash\"' +\n ' AllowScriptAccess=\"never\" ' +\n ' PLUGINSPAGE=\"http://www.macromedia.com/go/getflashplayer\"></EMBED></OBJECT>';\n } else if (google_ads[0].type == \"html\") {\n s += google_ads[0].snippet;\n } else if (ads[0].type == \"text\") {\n nyt_google_count += ads.length;\n google_ad_section_line_height = \"14px\";\n google_ad_section_padding_left = \"7px\";\n google_title_link_font_size = \"12px\";\n google_ad_text_font_size = \"11px\";\n google_visible_url_font_size = \"10px\";\n \n s += '<table width=\"100%\" height=\"\" border=\"0\" cellspacing=\"0\" cellpadding=\"0\" style=\"text-align:left; width:100%; border-style: solid; border-width: 1px; border-color: #9da3ad\" >\\n<tr>\\n<td style=\"font-family:Arial,Helvetica,sans-serif; font-size:12px; color:#333333;\" valign=\"top\"><table width=\"100%\" height=\"100%\" cellspacing=\"0\" cellpadding=\"0\" border=\"0\" style=\"width:100%; height:100%;\">\\n<tr>\\n <td style=\"background-color:#9da3ad; width:70%; height:20px; padding-top:2px; padding-left:11px; padding-bottom:2px; font-family:Arial,Helvetica,sans-serif; font-size:12px; color:#333333;\" width=\"70%\" height=\"20\" bgcolor=\"#9da3ad\" ><span style=\"font-size: 12px; font-weight: normal; color:#ffffff;\" >Ads by Google</span></td>\\n<td style=\"padding-top:2px; padding-bottom:2px; width:30%; height:20px; align:right; background-color:#9da3ad; font-family:Arial,Helvetica,sans-serif; font-size:12px; color:#333333;\" width=\"30%\" height=\"20\" align=\"right\" bgcolor=\"#9da3ad\" ><span><a style=\"font-family:Arial,Helvetica,sans-serif; color: white; font-size:12px; padding-right:7px;\" href=\"http://www.nytimes.com/ref/membercenter/faq/linkingqa16.html\" onclick=\"window.open(\\'\\',\\'popupad\\',\\'left=100,top=100,width=390,height=390,resizable,scrollbars=no\\')\" target=\"popupad\">what\\'s this?</a></span></td>\\n</tr>\\n</table>\\n</td>\\n</tr>\\n<tr>\\n<td style=\"height:110px; font-family:Arial,Helvetica,sans-serif; font-size:12px; color:#333333;\" valign=\"top\" height=\"110\"><table height=\"100%\" width=\"100%\" cellpadding=\"4\" cellspacing=\"0\" border=\"0\" bgcolor=\"#f8f8f9\" style=\"height:100%; width:100%; padding:4px; background-color:#f8f8f9;\">\\n';\n for (i = 0; i < ads.length; ++i) {\n s += '<tr>\\n<td style=\"cursor:pointer; cursor:hand; font-family:Arial,Helvetica,sans-serif; font-size:12px; color:#333333; background-color:#f8f8f9;\" id=\"taw' + i + '\" valign=\"middle\" onFocus=\"ss(\\'go to ' + ads[i].visible_url + '\\',\\'aw' + i + '\\')\" onMouseOver=\"ss(\\'go to ' + ads[i].visible_url + '\\',\\'aw' + i + '\\')\" onMouseOut=\"cs()\" onClick=\"ga(this,event)\"><div style=\"line-height:' + google_ad_section_line_height + '; padding-left:' + google_ad_section_padding_left + '; padding-bottom:5px;\" ><a id=\"aw' + i + '\" href=\"' + ads[i].url + '\" target=\"_blank\" style=\"font-size:' + google_title_link_font_size + '; color:#000066; font-weight:bold; text-decoration:underline;\" onFocus=\"ss(\\'go to ' + ads[i].visible_url + '\\',\\'aw' + i + '\\')\" onClick=\"ha(\\'aw' + i + '\\')\" onMouseOver=\"return ss(\\'go to ' + ads[i].visible_url + '\\',\\'aw' + i + '\\')\" onMouseOut=\"cs()\">' + ads[i].line1 + '</a><br>\\n<a href=\"' + ads[i].url + '\" target=\"_blank\" style=\"font-family:Arial,Helvetica,sans-serif; font-size:' + google_ad_text_font_size + ';color:#333333;text-decoration:none;\">' + ads[i].line2 + ' ' + ads[i].line3 + '</a><br>\\n<a href=\"' + ads[i].url + '\" target=\"_blank\" style=\"font-size:' + google_visible_url_font_size + '; color:#000066; font-weight:normal; text-decoration:none;\">' + ads[i].visible_url + '</a></div>\\n</td>\\n</tr>\\n';\n }\n s += '</table>\\n</td>\\n</tr>\\n</table>';\n }\n document.write(s);\n return;\n}\ngoogle_ad_client = 'ca-nytimes_display_html';\ngoogle_ad_channel = 'ROS_big_ad';\ngoogle_ad_output = 'js';\ngoogle_max_num_ads = '6';\ngoogle_ad_type = 'text,image,flash,html';\ngoogle_image_size = '300x250';\ngoogle_safe = 'high';\ngoogle_targeting = 'site_content';\nif (window.nyt_google_contents) { google_contents = nyt_google_contents; }\nelse if (window.nyt_google_hints) { google_hints = nyt_google_hints; }\n// -->\n</script>\n<script language=\"JavaScript\" src=\"http://pagead2.googlesyndication.com/pagead/show_ads.js\"></script>\n\n<div style=\"font-family: Arial; font-size: 10px; color:#004276; float: right; margin-right: 9px;\"><a href=\"http://www.nytimes.whsites.net/mediakit/\">Advertise on NYTimes.com</a></div></div>\n</div>\n\n</div>\n<!----> <div class=\"columnGroup \">\n\n</div>\n<!----> <div class=\"columnGroup \">\n\n</div>\n<!----> <div class=\"columnGroup \">\n<div class=\"singleRule wrap\" id=\"health_fit_tools\">\n<h3 class=\"sectionHeader\">Health & Fitness Tools</h3>\n<div class=\"runaroundLeft\">\n<a href=\"http://www.nytimes.com/ref/health/bmi.html\"><img src=\"http://graphics8.nytimes.com/images/2007/04/30/health/health_tool.gif\" alt=\"\" height=\"75\" width=\"75\"></a>\n</div>\n<p class=\"refer\"><a href=\"http://www.nytimes.com/ref/health/bmi.html\"><strong>BMI Calculator</strong><br>What&rsquo;s your score&#63; &raquo;</a></p>\n</div>\n \t</div>\n<!----> <div class=\"columnGroup \">\n<div id=\"mostPopWidget\" class=\"doubleRule nocontent\"></div>\n<script src=\"http://graphics8.nytimes.com/js/app/recommendations/recommendationsModule.js\" type=\"text/javascript\" charset=\"utf-8\"></script>\n</div>\n<!----> <div class=\"columnGroup \">\n\n</div>\n<!----> <div class=\"columnGroup \">\n\r\n<div class=\"bigAd\" id=\"Box1\">\r\n<!-- ADXINFO classification=\"Marketing_Module\" campaign=\"nyt2013_digi_sub_memday_module_hp_ros_db_th_3K3RH\" priority=\"1002\" width=\"336\" height=\"280\" --><div align =\"center\" style=\"border: 0px #000000 solid; width:300px; height:250px; margin: 0 auto\">\n<script type=\"text/javascript\">\n var movieWidth = 300;\n var movieHeight = 250;\n var altSrc = \"http://graphics8.nytimes.com/adx/images/ADS/33/90/ad.339022/13-0676_MemorialDay_300x250_DM_Alt2.jpg\";\n var swfFile = \"http://graphics8.nytimes.com/adx/images/ADS/33/90/ad.339022/13-0676_MemorialDay_300x250_DM_Alt2.swf\";\n var altClickThru = \"http://www.nytimes.com/adx/bin/adx_click.html?type=goto&opzn&page=www.nytimes.com/yr/mo/day/health&pos=Box1&sn2=9217751e/fbb2720a&sn1=4bd4e6df/1908ef5f&camp=nyt2013_digi_sub_memday_module_hp_ros_db_th_3K3RH&ad=memday_module_last_3K3RH&goto=http%3A%2F%2Fwww%2Enytimes%2Ecom%2Fsubscriptions%2FMultiproduct%2Flp3HY66%2Ehtml%3Fadxc%3D217103%26adxa%3D339022%26page%3Dwww.nytimes.com/yr/mo/day/health/prices-cut-for-hpv-cervical-cancer-vaccines-for-neediest.html%26pos%3DBox1%26campaignId%3D3K3RH\";\n var swfSrc = swfFile + \"?clicktag=\" + escape(altClickThru);\n</script>\n<script type=\"text/javascript\" src=\"http://www.nytimes.com/ads/common/embed3.js\">\n</script>\n</div>\r\n</div>\r\n\r\n</div>\n<!----> <div class=\"columnGroup \">\n<!--[TwoColumnAdLeft - Begin] -->\n<!--[TwoColumnAdLeft - End] -->\n</div>\n<!----> <div class=\"columnGroup \">\n\n<div class=\"singleAd\" id=\"Middle5\">\n<!-- ADXINFO classification=\"Featured_Product_Image\" campaign=\"nyt2013_digi_sub_memday_300x79_ros_3JY99\" priority=\"1002\" width=\"120\" height=\"90\" --><div align=\"center\">\n<a href=\"http://www.nytimes.com/adx/bin/adx_click.html?type=goto&opzn&page=www.nytimes.com/yr/mo/day/health&pos=Middle5&sn2=c40d8d13/d6485f29&sn1=99a77c6c/12aaf2bf&camp=nyt2013_digi_sub_memday_300x79_ros_3JY99&ad=memday_last_300x79_ros_3JY99&goto=http%3A%2F%2Fwww%2Enytimes%2Ecom%2Fsubscriptions%2FMultiproduct%2Flp3HY66%2Ehtml%3Fadxc%3D217020%26adxa%3D338885%26page%3Dwww.nytimes.com/yr/mo/day/health/prices-cut-for-hpv-cervical-cancer-vaccines-for-neediest.html%26pos%3DMiddle5%26campaignId%3D3JY99\" target=\"_blank\">\n<img src=\"http://graphics8.nytimes.com/adx/images/ADS/33/88/ad.338885/13-0676_MemorialDay_Banners_300x79_AD3.jpg\" width=\"300\" height=\"79\" border=\"0\">\n</a>\n</div>\n</div>\n\n</div>\n<!----> <div class=\"columnGroup last\">\n\n</div>\n<div class=\"columnGroup\">\n\n<div id=\"adxSponLinkA\"></div>\n<!-- ADXINFO classification=\"Email_Text_Ad_Version\" campaign=\"GoogleAdSense_ARTICLE_GOOGLE_SPONLINK_A\" priority=\"1002\" width=\"0\" height=\"0\" --><script language=\"JavaScript\" type=\"text/javascript\">\n // Sponlink_A_Short\n\n if (document.getElementById(\"MiddleRight\")) { google_targeting = 'content'; }\n NYTD.GoogleAds.getGoogleAds(\"AFC\", { \n google_ad_client:'nytimes_article_var',\n ad_target_list:'sponLinkA'\n });\n\n</script>\n\n</div>\n\n\n\n\n\n\n<div class=\"columnGroup\">\n</div>\n</div>\r\n</div><!--close spanAB -->\r\n\n <!-- start MOTH -->\n \t<div id=\"insideNYTimes\" class=\"doubleRule nocontent\">\n <script type=\"text/javascript\" src=\"http://js.nyt.com/js/app/moth/moth.js\"></script>\n <div id=\"insideNYTimesHeader\">\n <div class=\"navigation\"><span id=\"leftArrow\"><img id=\"mothReverse\" src=\"http://i1.nyt.com/images/global/buttons/moth_reverse.gif\" /></span>&nbsp;<span id=\"rightArrow\"><img id=\"mothForward\" src=\"http://i1.nyt.com/images/global/buttons/moth_forward.gif\" /></span></div>\n <h4>\n Inside NYTimes.com </h4>\n </div>\n \n \n <div id=\"insideNYTimesScrollWrapper\">\n <table id=\"insideNYTimesBrowser\" cellspacing=\"0\">\n <tbody>\n <tr>\n <td class=\"first\">\n <div class=\"story\">\n <h6 class=\"kicker\">\n <a href=\"http://www.nytimes.com/pages/science/index.html\">Science &raquo;</a> </h6>\n <div class=\"mothImage\">\n <a href=\"http://www.nytimes.com/2013/05/28/science/earth/storm-kings-review-where-tornadoes-dug-in-so-did-they.html\"><img src=\"http://i1.nyt.com/images/2013/05/28/science/28MOTH_SCIB/28MOTH_SCIB-moth-v2.jpg\" alt=\"&lsquo;Storm Kings&rsquo; by Lee Sandlin\" width=\"151\" height=\"151\" /></a>\n </div>\n <h6 class=\"headline\"><a href=\"http://www.nytimes.com/2013/05/28/science/earth/storm-kings-review-where-tornadoes-dug-in-so-did-they.html\">&lsquo;Storm Kings&rsquo; by Lee Sandlin</a></h6>\n </div>\n </td>\n <td>\n <div class=\"story\">\n <h6 class=\"kicker\">\n <a href=\"http://www.nytimes.com/pages/opinion/index.html\">Opinion &raquo;</a> </h6>\n <div class=\"mothImage\">\n <a href=\"http://www.nytimes.com/2013/05/28/opinion/silencing-the-whistle-blowers.html\"><img src=\"http://i1.nyt.com/images/2013/05/28/opinion/28moth_oped/28moth_oped-moth.jpg\" alt=\"Op-Ed: Silencing the Whistle-Blowers\" width=\"151\" height=\"151\" /></a>\n </div>\n <h6 class=\"headline\"><a href=\"http://www.nytimes.com/2013/05/28/opinion/silencing-the-whistle-blowers.html\">Op-Ed: Silencing the Whistle-Blowers</a></h6>\n </div>\n </td>\n <td>\n <div class=\"story\">\n <h6 class=\"kicker\">\n <a href=\"http://www.nytimes.com/pages/world/index.html\">World &raquo;</a>\n </h6>\n <div class=\"mothImage\">\n <a href=\"http://www.nytimes.com/2013/05/28/world/europe/same-sex-couple-say-i-do-in-rome.html\"><img src=\"http://i1.nyt.com/images/2013/05/28/world/28moth_italy/28moth_italy-moth.jpg\" alt=\"Same-Sex Couple Say, &lsquo;I Do&rsquo; as Italy Says, &lsquo;I Don&rsquo;t&rsquo;\" width=\"151\" height=\"151\" /></a>\n </div>\n <h6 class=\"headline\"><a href=\"http://www.nytimes.com/2013/05/28/world/europe/same-sex-couple-say-i-do-in-rome.html\">Same-Sex Couple Say, &lsquo;I Do&rsquo; as Italy Says, &lsquo;I Don&rsquo;t&rsquo;</a></h6>\n </div>\n </td>\n <td>\n <div class=\"story\">\n <h6 class=\"kicker\">\n <a href=\"http://www.nytimes.com/pages/national/index.html\">U.S. &raquo;</a>\n </h6>\n <div class=\"mothImage\">\n <a href=\"http://www.nytimes.com/2013/05/28/us/buyer-sought-for-stalled-medieval-castle-in-arkansas.html\"><img src=\"http://i1.nyt.com/images/2013/05/28/us/28moth_castle/28moth_castle-moth.jpg\" alt=\"Fixer-Upper. Ozark Views. Vassals Welcome.\" width=\"151\" height=\"151\" /></a>\n </div>\n <h6 class=\"headline\"><a href=\"http://www.nytimes.com/2013/05/28/us/buyer-sought-for-stalled-medieval-castle-in-arkansas.html\">Fixer-Upper. Ozark Views. Vassals Welcome.</a></h6>\n </div>\n </td>\n <td>\n <div class=\"story\">\n <h6 class=\"kicker\"><a href=\"http://www.nytimes.com/pages/opinion/index.html\">Opinion &raquo;</a></h6>\n <h3><a href=\"http://www.nytimes.com/2013/05/28/opinion/the-forgotten-amerasians.html\">Op-Ed: The Forgotten Amerasians</a></h3>\n <p class=\"summary\">Filipinos with American fathers should have a path to U.S. citizenship.</p>\n </div>\n </td>\n <td>\n <div class=\"story\">\n <h6 class=\"kicker\">\n <a href=\"http://www.nytimes.com/pages/arts/television/index.html\">Television &raquo;</a>\n </h6>\n <div class=\"mothImage\">\n <a href=\"http://tv.nytimes.com/2013/05/28/arts/television/brooklyn-da-begins-on-tuesday-on-cbs.html\"><img src=\"http://i1.nyt.com/images/2013/05/28/arts/television/28moth_brooklynda/28moth_brooklynda-moth.jpg\" alt=\"On &lsquo;Brooklyn DA,&rsquo; Never a Crime-Free Moment\" width=\"151\" height=\"151\" /></a>\n </div>\n <h6 class=\"headline\"><a href=\"http://tv.nytimes.com/2013/05/28/arts/television/brooklyn-da-begins-on-tuesday-on-cbs.html\">On &lsquo;Brooklyn DA,&rsquo; Never a Crime-Free Moment</a></h6>\n </div>\n </td>\n <td class=\"hidden\">\n <div class=\"story\">\n <h6 class=\"kicker\">\n <a href=\"http://www.nytimes.com/pages/nyregion/index.html\">N.Y. / Region &raquo;</a>\n </h6>\n <div class=\"mothImage\">\n <a href=\"http://www.nytimes.com/2013/05/28/nyregion/at-school-papers-the-ink-is-drying-up.html\"><span class=\"img\" src=\"http://i1.nyt.com/images/2013/05/28/nyregion/28moth_papers/28moth_papers-moth.jpg\" alt=\"At School Papers, the Ink Is Drying Up\" width=\"151\" height=\"151\" /></a>\n </div>\n <h6 class=\"headline\"><a href=\"http://www.nytimes.com/2013/05/28/nyregion/at-school-papers-the-ink-is-drying-up.html\">At School Papers, the Ink Is Drying Up</a></h6>\n </div>\n </td>\n <td class=\"hidden\">\n <div class=\"story\">\n <h6 class=\"kicker\">\n <a href=\"http://www.nytimes.com/pages/opinion/index.html\">Opinion &raquo;</a> </h6>\n <div class=\"mothImage\">\n <a href=\"http://opinionator.blogs.nytimes.com/2013/05/25/gesture-writing/\"><span class=\"img\" src=\"http://i1.nyt.com/images/2013/05/28/opinion/28moth_draft/28moth_draft-moth.jpg\" alt=\"Draft: Gesture Writing\" width=\"151\" height=\"151\" /></a>\n </div>\n <h6 class=\"headline\"><a href=\"http://opinionator.blogs.nytimes.com/2013/05/25/gesture-writing/\">Draft: Gesture Writing</a></h6>\n </div>\n </td>\n <td class=\"hidden\">\n <div class=\"story\">\n <h6 class=\"kicker\">\n <a href=\"http://www.nytimes.com/pages/health/index.html\">Health &raquo;</a> </h6>\n <div class=\"mothImage\">\n <a href=\"http://well.blogs.nytimes.com/2013/05/27/fat-talk-compels-but-carries-a-cost/\"><span class=\"img\" src=\"http://i1.nyt.com/images/2013/05/28/science/28MOTH_TALK/28MOTH_TALK-moth.jpg\" alt=\"&lsquo;Fat Talk&rsquo; Compels but Carries a Cost\" width=\"151\" height=\"151\" /></a>\n </div>\n <h6 class=\"headline\"><a href=\"http://well.blogs.nytimes.com/2013/05/27/fat-talk-compels-but-carries-a-cost/\">&lsquo;Fat Talk&rsquo; Compels but Carries a Cost</a></h6>\n </div>\n </td>\n <td class=\"hidden\">\n <div class=\"story\">\n <h6 class=\"kicker\">\n <a href=\"http://www.nytimes.com/pages/booming/index.html/\">Booming &raquo;</a> </h6>\n <div class=\"mothImage\">\n <a href=\"http://www.nytimes.com/2013/05/27/booming/for-a-boomer-sunblocks-came-late-and-cancer-too-soon.html\"><span class=\"img\" src=\"http://i1.nyt.com/images/2013/05/28/booming/28moth_booming/28moth_booming-moth.jpg\" alt=\"Sunblocks Came Late and Cancer Too Soon\" width=\"151\" height=\"151\" /></a>\n </div>\n <h6 class=\"headline\"><a href=\"http://www.nytimes.com/2013/05/27/booming/for-a-boomer-sunblocks-came-late-and-cancer-too-soon.html\">Sunblocks Came Late and Cancer Too Soon</a></h6>\n </div>\n </td>\n <td class=\"hidden\">\n <div class=\"story\">\n <h6 class=\"kicker\"><a href=\"http://www.nytimes.com/pages/opinion/index.html\">Opinion &raquo;</a></h6>\n <h3><a href=\"http://www.nytimes.com/roomfordebate/2013/05/27/are-americans-too-obsessed-with-cleanliness\">A Quest for Cleanliness</a></h3>\n <p class=\"summary\">Room for Debate asks: Is it healthy to keep our bodies and homes squeaky clean, or should we relax a bit?</p>\n </div>\n </td>\n <td class=\"hidden\">\n <div class=\"story\">\n <h6 class=\"kicker\">\n <a href=\"http://www.nytimes.com/pages/arts/index.html\">Arts &raquo;</a>\n </h6>\n <div class=\"mothImage\">\n <a href=\"http://www.nytimes.com/2013/05/28/arts/design/jackson-pollocks-one-number-31-1950-restored-by-moma.html\"><span class=\"img\" src=\"http://i1.nyt.com/images/2013/05/28/arts/28moth_pollock/28moth_pollock-moth.jpg\" alt=\"A Pollock Restored, a Mystery Revealed\" width=\"151\" height=\"151\" /></a>\n </div>\n <h6 class=\"headline\"><a href=\"http://www.nytimes.com/2013/05/28/arts/design/jackson-pollocks-one-number-31-1950-restored-by-moma.html\">A Pollock Restored, a Mystery Revealed</a></h6>\n </div>\n </td>\n </tr>\n </tbody>\n </table>\n </div>\n \n </div><!-- end #insideNYTimes -->\n\n </div><!--close main -->\r\n<footer class=\"pageFooter\">\n<div class=\"inset\">\n<nav class=\"pageFooterNav\">\n<ul class=\"pageFooterNavList wrap\">\n<li class=\"firstItem\"><a href=\"http://www.nytco.com/\">&copy; 2013 The New York Times Company</a></li>\n<li><a href=\"http://spiderbites.nytimes.com/\">Site Map</a></li>\n<li><a href=\"http://www.nytimes.com/privacy\">Privacy</a></li>\n<li><a href=\"http://www.nytimes.com/ref/membercenter/help/privacy.html#pp\">Your Ad Choices</a></li>\n<li><a href=\"http://www.nytimes.whsites.net/mediakit/\">Advertise</a></li>\n<li><a href=\"http://www.nytimes.com/content/help/rights/sale/terms-of-sale.html \">Terms of Sale</a></li>\n<li><a href=\"http://www.nytimes.com/ref/membercenter/help/agree.html\">Terms of Service</a></li>\n<li><a href=\"http://www.nytco.com/careers\">Work With Us</a></li>\n<li><a href=\"http://www.nytimes.com/rss\">RSS</a></li>\n<li><a href=\"http://www.nytimes.com/membercenter/sitehelp.html\">Help</a></li>\n<li><a href=\"http://www.nytimes.com/ref/membercenter/help/infoservdirectory.html\">Contact Us</a></li>\n<li class=\"lastItem\"><a href=\"https://myaccount.nytimes.com/membercenter/feedback.html\">Site Feedback</a></li>\n</ul>\n</nav>\n</div><!--close inset -->\n</footer><!--close pageFooter -->\n</div><!--close page -->\r\n</div><!--close shell -->\r\n<IMG CLASS=\"hidden\" SRC=\"/adx/bin/clientside/e5b719b1Q2F(((mQ3AQ2A.NPQ2AQ5B(NWQ2AeQ20rZsQ5BQ23Q2A65sSgW_BQ60yQ22hmyPQ3APmSBm\" height=\"1\" width=\"3\">\r\n \n\n\n</body>\n\r\n\n\t\t\t\n\t\t<!-- Start UPT call -->\n\t\t<img height=\"1\" width=\"3\" border=0 src=\"http://up.nytimes.com/?d=0/18/&t=6&s=0&ui=0&r=&u=www%2enytimes%2ecom%2f2013%2f05%2f10%2fhealth%2fprices%2dcut%2dfor%2dhpv%2dcervical%2dcancer%2dvaccines%2dfor%2dneediest%2ehtml%3f%5fr%3d2%26hp%3d\">\n\t\t<!-- End UPT call -->\n\t\n\t\t\n <script language=\"JavaScript\"><!--\n var dcsvid=\"0\";\n var regstatus=\"non-registered\";\n //--></script>\n <script src=\"http://graphics8.nytimes.com/js/app/analytics/trackingTags_v1.1.js\" type=\"text/javascript\"></script>\n <noscript>\n <div><img alt=\"DCSIMG\" id=\"DCSIMG\" width=\"1\" height=\"1\" src=\"http://wt.o.nytimes.com/dcsym57yw10000s1s8g0boozt_9t1x/njs.gif?dcsuri=/nojavascript&amp;WT.js=No&amp;WT.tv=1.0.7\"/></div>\n </noscript>\n \r\n\r\n\r\n</html>\r\n\r\n<script>\nNYTD.jQuery(window).on('load', function () {\n\n function getMetaValue(name) {\n var els = document.getElementsByName(name);\n if (els && els[0]) { return els[0].content; }\n return \"\";\n }\n\n var kurl = document.location.pathname;\n var kgeoref = getMetaValue(\"geo\");\n var ksection = getMetaValue(\"CG\");\n var ksubsection = getMetaValue(\"SCG\");\n var kauthor = getMetaValue(\"author\");\n var kfacebstring = \"AUTHOR=\" + kauthor + \"&GEO_REF=\" + kgeoref + \"&SECTION=\" + ksection + \"&SUBSECTION=\" + ksubsection + \"&URL=www.nytimes.com\" + kurl;\n\n NYTD.jQuery(\".shareToolsItemFacebook\").on('click', function () {\n var scriptTag = document.createElement(\"script\");\n scriptTag.src = 'http://beacon.krxd.net/event.gif?event_id=HudKM7Cc&event_type=clk&pub_id=79816aa8-435a-471a-be83-4b3e0946daf2&' + kfacebstring; \n var firstScript = document.getElementsByTagName(\"script\")[0];\n firstScript.parentNode.insertBefore(scriptTag, firstScript);\n }); \n});\n</script>\n\r\n\r\n\n\n"
],
[
"<!DOCTYPE html>\r\n<html lang=\"en\" itemscope itemtype=\"http://schema.org/NewsArticle\" itemid=\"http://www.nytimes.com/2013/05/14/science/marvels-and-a-few-mysteries-in-cicadas-17-years.html\" xmlns:og=\"http://opengraphprotocol.org/schema/\" xmlns:fb=\"http://www.facebook.com/2008/fbml\">\r\n<head>\r\n<title>17 Years to Hatch an Invasion - NYTimes.com</title>\r\n<meta http-equiv=\"Content-Type\" content=\"text/html; charset=utf-8\">\n<meta itemprop=\"inLanguage\" content=\"en-US\">\n<meta itemprop=\"description\" name=\"description\" content=\"Billions of cicadas, the red-eyed insects renowned for their shrill mating call, are beginning to crawl out of the earth, an emergence 17 years in the making.\">\n<meta name=\"keywords\" content=\"Cicadas (Insects)\">\n<meta name=\"ROBOTS\" content=\"NOARCHIVE\">\n<meta name=\"DISPLAYDATE\" content=\"May 9, 2013\">\n<meta itemprop=\"dateModified\" content=\"2013-05-09\">\n<meta itemprop=\"datePublished\" content=\"2013-05-09\">\n<meta name=\"hdl\" content=\"17 Years to Hatch an Invasion\">\n<meta itemprop=\"alternativeHeadline\" name=\"hdl_p\" content=\"17 Years to Hatch an Invasion\">\n<meta name=\"byl\" content=\"By CARL ZIMMER\">\n<meta name=\"lp\" content=\"Billions of cicadas, the red-eyed insects renowned for their shrill mating call, are beginning to crawl out of the earth, an emergence 17 years in the making.\">\n<meta itemprop=\"usageTerms\" content=\"http://www.nytimes.com/content/help/rights/sale/terms-of-sale.html\">\n<meta name=\"cre\" content=\"The New York Times\">\n<meta name=\"edt\" content=\"NewYork\">\n<meta name=\"pdate\" content=\"20130509\">\n<meta name=\"ttl\" content=\"\">\n<meta name=\"des\" content=\"Cicadas (Insects)\">\n<meta name=\"per\" content=\"\">\n<meta name=\"geo\" content=\"\">\n<meta name=\"slug\" content=\"14zimmer\">\n<meta name=\"utime\" content=\"20130522174804\">\n<meta name=\"ptime\" content=\"20130509070005\">\n<meta name=\"author\" content=\"CARL ZIMMER\">\n<meta name=\"dat\" content=\"May 9, 2013\">\n<meta itemprop=\"genre\" name=\"tom\" content=\"News\">\n<meta name=\"cat\" content=\"\">\n<meta name=\"col\" content=\"Matter\">\n<meta itemprop=\"articleSection\" name=\"dsk\" content=\"Science\">\n<meta itemprop=\"identifier\" name=\"articleid\" content=\"100000002212861\">\n<meta name=\"ARTICLE_TEMPLATE_VERSION\" CONTENT=\"700\">\n<meta name=\"hdr_img\" content=\"/images/article/header/sect_science.gif\">\n<meta itemprop=\"thumbnailUrl\" name=\"thumbnail\" content=\"http://www.nytimes.com/images/2013/05/08/science/zimmer-headshot/zimmer-headshot-thumbStandard-v2.jpg\">\n<meta name=\"thumbnail_height\" content=\"75\">\n<meta name=\"thumbnail_width\" content=\"75\">\n<meta name=\"thumbnail_150\" content=\"http://www.nytimes.com/images/2013/05/08/science/zimmer-headshot/zimmer-headshot-thumbLarge-v2.jpg\">\n<meta name=\"thumbnail_150_height\" content=\"150\">\n<meta name=\"thumbnail_150_width\" content=\"150\">\n<meta name=\"sectionfront_jsonp\" content=\"http://json8.nytimes.com/pages/science/index.jsonp\">\n<meta name=\"CG\" content=\"science\">\n<meta name=\"SCG\" content=\"\">\n<meta name=\"PT\" content=\"Article\">\n<meta name=\"PST\" content=\"News\">\n<meta name=\"msapplication-starturl\" content=\"http://www.nytimes.com/\">\n<link rel=\"canonical\" href=\"http://www.nytimes.com/2013/05/14/science/marvels-and-a-few-mysteries-in-cicadas-17-years.html\">\n<meta property=\"og:url\" content=\"http://www.nytimes.com/2013/05/14/science/marvels-and-a-few-mysteries-in-cicadas-17-years.html\"/>\n<meta property=\"og:type\" content=\"article\"/>\n<meta property=\"og:title\" content=\"17 Years to Hatch an Invasion\"/>\n<meta property=\"og:description\" content=\"Billions of cicadas, the red-eyed insects renowned for their shrill mating call, are beginning to crawl out of the earth, an emergence 17 years in the making.\">\n<meta property=\"og:image\" content=\"http://graphics8.nytimes.com/images/2013/05/08/science/zimmer-headshot/zimmer-headshot-superJumbo-v2.jpg\"/>\n<meta property=\"fb:app_id\" content=\"9869919170\"/>\n<meta name=\"twitter:card\" value=\"summary\">\n<meta name=\"twitter:site\" value=\"@nytimes\">\n<meta name=\"twitter:url\" content=\"http://www.nytimes.com/2013/05/14/science/marvels-and-a-few-mysteries-in-cicadas-17-years.html\"/>\n<meta name=\"twitter:title\" content=\"17 Years to Hatch an Invasion\"/>\n<meta name=\"twitter:description\" content=\"Billions of cicadas, the red-eyed insects renowned for their shrill mating call, are beginning to crawl out of the earth, an emergence 17 years in the making.\"/>\n<meta name=\"twitter:image\" content=\"http://graphics8.nytimes.com/images/2013/05/08/science/zimmer-headshot/zimmer-headshot-thumbLarge-v2.jpg\"/>\n<link rel=\"alternate\" href=\"http://mobile.nytimes.com/2013/05/14/science/marvels-and-a-few-mysteries-in-cicadas-17-years.html\"/>\n\r\n\r\n<link rel=\"stylesheet\" type=\"text/css\" href=\"http://graphics8.nytimes.com/css/0.1/screen/build/article/2.0/styles.css?v=20121001\"><!--[if IE]>\r\n <style type=\"text/css\">\r\n @import url(http://graphics8.nytimes.com/css/0.1/screen/common/ie.css);\r\n </style>\r\n<![endif]-->\r\n<!--[if IE 6]>\r\n <style type=\"text/css\">\r\n @import url(http://graphics8.nytimes.com/css/0.1/screen/common/ie6.css);\r\n </style>\r\n<![endif]-->\r\n<!--[if lt IE 9]>\r\n <script src=\"http://graphics8.nytimes.com/js/html5shiv.js\"></script>\r\n<![endif]-->\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/common.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/common/screen/DropDown.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/util/tooltip.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/app/article/upNext.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://admin.brightcove.com/js/BrightcoveExperiences_all.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://objects.tremormedia.com/embed/js/banners.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js2/build/video/2.0/videofactory.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/app/article/articleAssets/abstractAsset.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/app/article/articleAssets/videoAsset.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/app/article/articleSpanVideo.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/common/sharetools/2.0/shareTools.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/app/article/articleCommentCount.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/app/save/crossPlatformSave.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/EmbeddedComments/embeddedComments.js\"></script>\r\n<script type=\"text/javascript\" src=\"http://graphics8.nytimes.com/js/app/article/articleEmbeddedComments.js\"></script>\r\n</head>\r\n\n \n\n<body >\n\r\n<!-- ADXINFO classification=\"blank-but-count-imps\" campaign=\"KRUX_DIGITAL_CONTROL_SCRIPT_LIVE2\" priority=\"9100\" width=\"1\" height=\"1\" --><!-- BEGIN Krux Controltag -->\n<script class=\"kxct\" data-id=\"HrUwtkcl\" data-version=\"async:1.7\" type=\"text/javascript\">\n window.Krux||((Krux=function(){Krux.q.push(arguments)}).q=[]);\n (function(){\n var k=document.createElement('script');k.type='text/javascript';k.async=true;var m,src=(m=location.href.match(/\\bkxsrc=([^&]+)\\b/))&&decodeURIComponent(m[1]);\n k.src=src||(location.protocol==='https:'?'https:':'http:')+'//cdn.krxd.net/controltag?confid=HrUwtkcl';\n var s=document.getElementsByTagName('script')[0];s.parentNode.insertBefore(k,s);\n })();\n</script>\n<!-- END Krux Controltag -->\r\n\r\n<a name=\"top\"></a>\r\n<div id=\"shell\">\r\n<ul id=\"memberTools\">\n\n \n <li><a id=\"memberToolsLogin\" href=\"https://myaccount.nytimes.com/auth/login\">Log In</a></li>\n <li><a href=\"https://myaccount.nytimes.com/gst/regi.html\" onClick=\"dcsMultiTrack('WT.z_ract', 'Regnow', 'WT.z_rprod', 'Masthead','WT.z_dcsm','1');\">Register Now</a></li>\n \n\n<li><a href=\"http://www.nytimes.com/membercenter/sitehelp.html\">Help</a></li>\n</ul>\n<div class=\"mainTabsContainer tabsContainer\">\n<ul id=\"mainTabs\" class=\"mainTabs tabs\">\n<li class=\"first mainTabHome\"><a href=\"http://www.nytimes.com\">Home Page</a></li>\n<li class=\"mainTabTodaysPaper\"><a href=\"http://www.nytimes.com/pages/todayspaper/index.html\">Today's Paper</a></li>\n<li class=\"mainTabVideo\"><a href=\"http://www.nytimes.com/video\">Video</a></li>\n<li class=\"mainTabMostPopular\"><a href=\"http://www.nytimes.com/mostpopular\">Most Popular</a></li>\n</ul>\n</div>\n<div id=\"editionToggle\" class=\"editionToggle\">\nEdition: <span id=\"editionToggleUS\"><a href=\"http://www.nytimes.com\" onmousedown=\"dcsMultiTrack('DCS.dcssip','www.nytimes.com','DCS.dcsuri','/toggleIHTtoNYT.html','WT.ti','toggleIHTtoNYT','WT.z_dcsm','1');\" onclick=\"NYTD.EditionPref.setUS();\">U.S.</a></span> / <span id=\"editionToggleGlobal\"><a href=\"http://global.nytimes.com\" onmousedown=\"dcsMultiTrack('DCS.dcssip','www.nytimes.com','DCS.dcsuri','/toggleNYTtoIHT.html','WT.ti','toggleNYTtoIHT','WT.z_dcsm','1');\" onclick=\"NYTD.EditionPref.setGlobal();\">Global</a></span>\n</div><!--close editionToggle -->\n<script type=\"text/javascript\">\n NYTD.loadEditionToggle();\n\n window.setTimeout(function() {\n var login = document.getElementById('memberToolsLogin');\n if (login) {\n login.href += \"?URI=\" + window.location.href;\n }\n }, 0)\n </script>\n<div id=\"page\" class=\"tabContent active\">\r\n<div id=\"masthead\" class=\"wrap\">\n\n<div id=\"searchWidget\">\n<div class=\"inlineSearchControl\">\n<form enctype=\"application/x-www-form-urlencoded\" action=\"http://query.nytimes.com/search/sitesearch\" method=\"get\" name=\"searchForm\" id=\"searchForm\">\n<input type=\"hidden\" value=\"full\" name=\"date_select\"/>\n<label for=\"searchQuery\">Search All NYTimes.com</label>\n<input type=\"text\" class=\"text\" value=\"\" size=\"\" name=\"query\" id=\"searchQuery\"/>\n<input type=\"hidden\" id=\"searchAll\" name=\"type\" value=\"nyt\"/>\n<input id=\"searchSubmit\" title=\"Search\" width=\"22\" height=\"19\" alt=\"Search\" type=\"image\" src=\"http://graphics8.nytimes.com/images/global/buttons/go.gif\">\n</form>\n</div>\n</div>\n<div id=\"branding\" >\n<a href=\"http://www.nytimes.com\"><span id=\"nytIhtMastheadLogo\">\n<a href=\"http://www.nytimes.com\"><img src=\"http://graphics8.nytimes.com/images/misc/nytlogo152x23.gif\" alt=\"New York Times\" id=\"NYTLogo\"/></a>\n</span></a>\n</div>\n\n<h2>\n\n<a href=\"http://www.nytimes.com/pages/science/index.html\">Science</a>\n</h2>\n\n</div>\n<div class=\"navigation tabsContainer\">\n<ul class=\"tabs\">\n<li id=\"navWorld\" class=\"first \">\n<a href=\"http://www.nytimes.com/pages/world/index.html\">World</a>\n</li>\t<li id=\"navUs\" >\n<a href=\"http://www.nytimes.com/pages/national/index.html\">U.S.</a>\n</li>\t<li id=\"navNyregion\" >\n<a href=\"http://www.nytimes.com/pages/nyregion/index.html\">N.Y. / Region</a>\n</li>\t<li id=\"navBusiness\" >\n<a href=\"http://www.nytimes.com/pages/business/index.html\">Business</a>\n\n</li>\t<li id=\"navTechnology\" >\n<a href=\"http://www.nytimes.com/pages/technology/index.html\">Technology</a>\n</li>\t<li id=\"navScience\" class=\"selected\">\n<a href=\"http://www.nytimes.com/pages/science/index.html\">Science</a>\n<ul class=\"subNavigation\"><li id=\"subNav_earth\"><a href=\"http://www.nytimes.com/pages/science/earth/index.html\">Environment</a></li><li id=\"subNav_space\"><a href=\"http://www.nytimes.com/pages/science/space/index.html\">Space & Cosmos</a></li></ul></li>\t<li id=\"navHealth\" >\n<a href=\"http://www.nytimes.com/pages/health/index.html\">Health</a>\n</li>\t<li id=\"navSports\" >\n<a href=\"http://www.nytimes.com/pages/sports/index.html\">Sports</a>\n\n</li>\t<li id=\"navOpinion\" >\n<a href=\"http://www.nytimes.com/pages/opinion/index.html\">Opinion</a>\n\n</li>\t<li id=\"navArts\" >\n<a href=\"http://www.nytimes.com/pages/arts/index.html\">Arts</a>\n</li>\t<li id=\"navStyle\" >\n<a href=\"http://www.nytimes.com/pages/style/index.html\">Style</a>\n\n</li>\t<li id=\"navTravel\" >\n<a href=\"http://www.nytimes.com/pages/travel/index.html\">Travel</a>\n</li>\t<li id=\"navJobs\" >\n<a href=\"http://www.nytimes.com/pages/jobs/index.html\">Jobs</a>\n</li>\t<li id=\"navRealestate\" >\n<a href=\"http://www.nytimes.com/pages/realestate/index.html\">Real Estate</a>\n</li>\t<li id=\"navAutomobiles\" >\n<a href=\"http://www.nytimes.com/pages/automobiles/index.html\">Autos</a>\n</li></ul>\n</div>\n\n\n\n<div class=\"singleAd\" id=\"TopAd\">\n<!-- ADXINFO classification=\"Leaderboard_-_Standard\" campaign=\"GoogleAdSense_ROS_LB\" priority=\"1366\" width=\"728\" height=\"90\" --><div class=\"clearfix\">\n<script type=\"text/javascript\" language=\"JavaScript\">\n<!-- \nfunction getMetaValue(name) {\n var els = document.getElementsByName(name);\n if (els && els[0]) { return els[0].content; }\n return \"\";\n}\n\nif (!window.nyt_google_count) { var nyt_google_count = 0; }\nif ((!window.nyt_google_ad_channel) && (window.google_ad_channel)) { var nyt_google_ad_channel = google_ad_channel; }\nif ((!window.nyt_google_hints) && (window.google_hints)) { var nyt_google_hints = google_hints; }\nif ((!window.nyt_google_contents) && (window.google_contents)) { var nyt_google_contents = google_contents; }\nfunction ss(w,id) {window.status = w;return true;}function cs(){window.status='';}function ha(a){ pha=document.getElementById(a); nhi=pha.href.indexOf(\"&nh=\");if(nhi < 1) {phb=pha.href+\"&nh=1\";} pha.href=phb;}function ca(a) { pha=document.getElementById(a); nci=pha.href.indexOf(\"&nc=\");if(nci < 1) {phb=pha.href+\"&nc=1\";} pha.href=phb;window.open(document.getElementById(a).href);}function ga(o,e) {if (document.getElementById) {a=o.id.substring(1);p = \"\";r = \"\";g = e.target;if (g) {t = g.id;f = g.parentNode;if (f) {p = f.id;h = f.parentNode;if (h)r = h.id;}} else {h = e.srcElement;f = h.parentNode;if (f)p = f.id;t = h.id;}if (t==a || p==a || r==a)return true;pha=document.getElementById(a); nbi=pha.href.indexOf(\"&nb=\");if(nbi < 1) {phb=pha.href+\"&nb=1\";} pha.href=phb;window.open(document.getElementById(a).href);}}\n \nfunction google_ad_request_done(ads) {\n var s = '';\n var i;\n \n if (ads.length == 0) {\n return;\n }\n \n if (ads[0].type == \"image\") {\n s += '<a href=\"' + ads[0].url +\n '\" target=\"_blank\" title=\"go to ' + ads[0].visible_url +\n '\"><img border=\"0\" src=\"' + ads[0].image_url +\n '\"width=\"' + ads[0].image_width +\n '\"height=\"' + ads[0].image_height + '\"></a>';\n } else if (ads[0].type == \"flash\") {\n s += '<object classid=\"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000\"' +\n ' codebase=\"http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0\"' +\n ' WIDTH=\"' + google_ad.image_width +\n '\" HEIGHT=\"' + google_ad.image_height + '\">' +\n '<PARAM NAME=\"movie\" VALUE=\"' + google_ad.image_url + '\">' +\n '<PARAM NAME=\"quality\" VALUE=\"high\">' +\n '<PARAM NAME=\"AllowScriptAccess\" VALUE=\"never\">' +\n '<EMBED src=\"' + google_ad.image_url +\n '\" WIDTH=\"' + google_ad.image_width +\n '\" HEIGHT=\"' + google_ad.image_height +\n '\" TYPE=\"application/x-shockwave-flash\"' +\n ' AllowScriptAccess=\"never\" ' +\n ' PLUGINSPAGE=\"http://www.macromedia.com/go/getflashplayer\"></EMBED></OBJECT>';\n \n } else if (google_ads[0].type == \"html\") {\n s += google_ads[0].snippet;\n } document.write(s);\n return;\n}\n\n\tgoogle_ad_client = 'ca-nytimes_display_html';\n\tgoogle_alternate_ad_url = 'http://www.nytimes.com/ads/remnant/networkredirect-leaderboard.html';\n\tgoogle_ad_width = 728; \n\tgoogle_ad_height = 90;\n\tgoogle_ad_type = 'image,flash,html';\n\tgoogle_encoding = 'utf8'; \n\tgoogle_safe = 'high';\n\tgoogle_targeting = 'site_content';\n\tgoogle_ad_channel = 'ROS_leaderboard';\n google_hints = getMetaValue('keywords');\n// -->\n</script>\n<script type=\"text/javascript\" language=\"JavaScript\" src=\"http://pagead2.googlesyndication.com/pagead/show_ads.js\"></script>\n<noscript>\n\t<img height=\"1\" width=\"1\" border=\"0\" src=\"http://pagead2.googlesyndication.com/pagead/imp.gif?client=ca-nytimes_display_html&event=noscript\" /> \n</noscript>\n<div style=\"font-family: Arial; font-size: 10px; color:#004276; float: right; margin-right: 125px;\"><a href=\"http://www.nytimes.whsites.net/mediakit/\">Advertise on NYTimes.com</a></div></div>\n</div>\n\n\n<div id=\"main\">\r\n<div class=\"spanAB wrap closing\">\r\n<div id=\"abColumn\" class=\"abColumn\"><!--open abColumn -->\r\n<div id=\"article\">\r\n<!--cur: prev:-->\n<div class=\"columnGroup first\">\t\t\t\t\n<h6 class=\"kicker\">Matter</h6>\n<h1 itemprop=\"headline\" class=\"articleHeadline\"><NYT_HEADLINE version=\"1.0\" type=\" \">17 Years to Hatch an Invasion</NYT_HEADLINE></h1> <div class=\"articleSpanImage\"><div id=\"articleSpanVideoModule\" class=\"articleSpanVideoModule\">\n<div id=\"articleSpanVid_100000002223364\" class=\"articleSpanVideo\">\n<script type=\"text/javascript\">\n(function() {\n var NYTD_videoMetaData = {\n videoId: \"100000002223364\",\n socialUrl: \"http://www.nytimes.com/video/2013/05/13/science/100000002223364/matter-cicadas.html\",\n parentSection: \"science\",\n stillOverlay: \"http://graphics8.nytimes.com/images/2013/05/13/science/video-pod-st-matter/video-pod-st-matter-articleLarge.jpg\" };\n if (NYTD.ArticleSpan && NYTD.ArticleSpan.ArticleSpanVideo) {\n NYTD.ArticleSpan.ArticleSpanVideo.prepareVideoModule(NYTD_videoMetaData);\n }\n})();\n</script>\n</div><div id=\"articleSpanVideoByline\" class=\"byline\" style=\"display:none;\">By Jeffery DelViscio, Pedro Rafael Rosado, Robin Lindsay, Kriston Lewis and Abe Sater</div>\n<p id=\"articleSpanVideoCaption\" class=\"caption noPhotoCredit\"><strong class=\"videoIcon video\">Matter: Cicadas:</strong> \nCarl Zimmer talks about the life cycle and evolutionary adaptations of the insect.</p>\n</div>\n</div> <!--[if lt IE 8]>\n <script type=\"text/javascript\">\n if($$('div.articleSpanImage') != null) {\n var articleSpanImage = $$('div.articleSpanImage')[0].getElementsByTagName(\"img\")[0];\n var articleSpanImageSrc = articleSpanImage.getAttribute('src');\n articleSpanImage.setAttribute('src',\"http://graphics8.nytimes.com/images/global/backgrounds/transparentBG.gif\");\n var filter = \"progId:DXImageTransform.Microsoft.AlphaImageLoader(src='\"+articleSpanImageSrc+\"', sizingMethod='scale' )\";\n articleSpanImage.style.filter = filter;\n }\n </script>\n<![endif]--> \n<NYT_BYLINE >\n<h6 class=\"byline\">By \n<span itemprop=\"author creator\" itemscope itemtype=\"http://schema.org/Person\"><span itemprop=\"name\">CARL ZIMMER</span></span></h6>\n</NYT_BYLINE>\n<h6 class=\"dateline\">Published: May 9, 2013 </h6>\n<div class=\"shareTools shareToolsThemeClassic articleShareToolsTop\"\n\tdata-shares=\"facebook,twitter,google,save,email,showall|Share,print,singlepage,reprints,ad\" \n\tdata-title=\"17 Years to Hatch an Invasion\" \n\tdata-url=\"http://www.nytimes.com/2013/05/14/science/marvels-and-a-few-mysteries-in-cicadas-17-years.html\" \n\tdata-description=\"Billions of cicadas, the red-eyed insects renowned for their shrill mating call, are beginning to crawl out of the earth, an emergence 17 years in the making.\"></div>\n<meta name=\"emailThisHash\" content=\"v5Xj0w+Yk1BQ1BYct6wfKw\">\n<div class=\"articleBody\">\n<span itemprop=\"copyrightHolder provider sourceOrganization\" itemscope itemtype=\"http://schema.org/Organization\" itemid=\"http://www.nytimes.com\">\n<meta itemprop=\"name\" content=\"The New York Times Company\"/>\n<meta itemprop=\"url\" content=\"http://www.nytco.com/\"/>\n<meta itemprop=\"tickerSymbol\" content=\"NYSE NYT\"/>\n</span>\n<meta itemprop=\"copyrightYear\" content=\"2013\"/>\n\n\n\n\n\n\n<NYT_TEXT >\n\n<NYT_CORRECTION_TOP>\n</NYT_CORRECTION_TOP>\n <p itemprop=\"articleBody\">\nFrom North Carolina to Connecticut, billions of creatures with eyes the color of blood and bodies the color of coal are crawling out of the earth. Periodical cicadas are emerging en masse, clambering into trees and singing a shivering chorus that can be heard for miles. </p> \n</div>\n<div class=\"articleInline runaroundLeft\">\n \n<!--forceinline--> \n<div class=\"columnGroup doubleRule\"><div class=\"story\">\n<h6 class=\"kicker\">The Learning Network</h6>\n<div class=\"thumbnail\">\n<a href=\"http://learning.blogs.nytimes.com/2013/04/03/theyre-back-learning-about-periodical-cicadas-to-participate-in-citizen-science-projects/?ref=science\">\n<img src=\"http://graphics8.nytimes.com//images/blogs_v3/learning/learning75.gif\" width=\"75\" height=\"75\" alt=\"\" border=\"0\" />\n</a>\n</div>\n<h3><a href=\"http://learning.blogs.nytimes.com/2013/04/03/theyre-back-learning-about-periodical-cicadas-to-participate-in-citizen-science-projects/?ref=science\">\nLesson Plan | Periodical Cicadas</a></h3>\n<h6 class=\"byline\">\n</h6>\n<p class=\"summary\">\nStudents can participate in “citizen science” projects or create multimedia exhibits.</p>\n<ul class=\"refer flush\"><li><a href=\"http://learning.blogs.nytimes.com/\">Go to The Learning Network &raquo;</a></li>\n</ul></div>\n</div>\n<div class=\"columnGroup doubleRule\"> </div></div> <script type=\"text/javascript\">\n if (typeof NYTDVideoManager != \"undefined\") {\n NYTDVideoManager.setAllowMultiPlayback(false);\n }\n \n function displayCompanionBanners(banners, tracking) {\n tmDisplayBanner(banners, \"videoAdContent\", 300, 250, null, tracking);\n }\n </script> \n<div class=\"articleInline runaroundLeft first\">\n<div class=\"story\"> \n<div class=\"wideThumb\">\n<a href=\"http://www.nytimes.com/interactive/science/a-century-of-cicadas.html?ref=science\">\n<img src=\"http://graphics8.nytimes.com//images/2013/05/08/science/190.gif\" width=\"190\" height=\"126\" alt=\"\" border=\"0\" />\n<span class=\"mediaOverlay interactive\">Multimedia Feature</span>\n</a>\n</div>\n<h6><a href=\"http://www.nytimes.com/interactive/science/a-century-of-cicadas.html?ref=science\">\nA Century of Cicadas</a></h6>\n<h6 class=\"byline\">\n</h6>\n</div>\n</div>\n<div class=\"articleInline runaroundLeft\"><div class=\"articleInline runaroundLeft\"></div>\n<div class=\"doubleRule\"><div class=\"story\">\n\n<div class=\"runaroundRight\"><a href=\"http://twitter.com/#!/nytimesscience\"><img src=\"http://graphics8.nytimes.com/images/2012/11/15/science/science-twitter-logo/science-twitter-logo-thumbStandard.jpg\" height=\"75\" width=\"75\" alt=\"Science Twitter Logo.\" /></a></div>\n <h4><a href=\"http://twitter.com/#!/nytimesscience\">Connect With Us on Social Media</a></h4>\n <p class=\"summary\"><a href=\"http://twitter.com/#!/nytimesscience\">@nytimesscience</a> on Twitter. \n<ul><li><a href=\"https://twitter.com/nytimesscience/sci-times-reporters-eds/members\">Science Reporters and Editors on Twitter</a></li></ul></p>\n <p class=\"summary\">Like the science desk <a href=\"http://www.facebook.com/nytimesscience\"> on Facebook.</a></p>\n\n\n\n</div>\n\n<!--div class=\"columnGroup doubleRule\">\n <h3 class=\"sectionHeader\">Facebook</h3>\n <iframe src=\"http://www.facebook.com/plugins/likebox.php?href=http%3A%2F%2Fwww.facebook.com%2Fnytimesscience%3Fsk%3Dwall&amp;width=190&amp;colorscheme=light&amp;show_faces=false&amp;stream=false&amp;header=true&amp;height=62\" scrolling=\"no\" frameborder=\"0\" style=\"border:none; overflow:hidden; width:190px; height:62px;\" allowTransparency=\"true\"></iframe></div-->\n</div> \n<div class=\"inlineImage module\">\n<div class=\"image\">\n<div class=\"icon enlargeThis\"><a href=\"javascript:pop_me_up2('http://www.nytimes.com/imagepages/2013/05/08/science/zimmer-headshot.html','zimmer_headshot_html','width=424,height=630,scrollbars=yes,toolbars=no,resizable=yes')\">Enlarge This Image</a></div>\n<a href=\"javascript:pop_me_up2('http://www.nytimes.com/imagepages/2013/05/08/science/zimmer-headshot.html','zimmer_headshot_html','width=424,height=630,scrollbars=yes,toolbars=no,resizable=yes')\">\n<span itemprop=\"associatedMedia\" itemscope itemid=\"http://graphics8.nytimes.com/images/2013/05/08/science/zimmer-headshot/zimmer-headshot-articleInline-v2.jpg\" itemtype=\"http://schema.org/ImageObject\">\n<img itemprop=\"url\" src=\"http://graphics8.nytimes.com/images/2013/05/08/science/zimmer-headshot/zimmer-headshot-articleInline-v2.jpg\" width=\"190\" height=\"269\" alt=\"\">\n<meta itemprop=\"identifier\" content=\"http://graphics8.nytimes.com/images/2013/05/08/science/zimmer-headshot/zimmer-headshot-articleInline-v2.jpg\" />\n<meta itemprop=\"height\" content=\"190\" />\n<meta itemprop=\"width\" content=\"269\" />\n<meta itemprop=\"copyrightHolder\" content=\"Earl Wilson/The New York Times\" />\n</span>\n</a>\n</div>\n<h6 class=\"credit\">Earl Wilson/The New York Times</h6>\n<p class=\"caption\">Carl Zimmer. </p>\n</div>\n \n<div class=\"inlineImage module\">\n<div class=\"image\">\n<div class=\"icon enlargeThis\"><a href=\"javascript:pop_me_up2('http://www.nytimes.com/imagepages/2013/05/14/science/14zimmer-span.html','14zimmer_span_html','width=720,height=513,scrollbars=yes,toolbars=no,resizable=yes')\">Enlarge This Image</a></div>\n<a href=\"javascript:pop_me_up2('http://www.nytimes.com/imagepages/2013/05/14/science/14zimmer-span.html','14zimmer_span_html','width=720,height=513,scrollbars=yes,toolbars=no,resizable=yes')\">\n<span itemprop=\"associatedMedia\" itemscope itemid=\"http://graphics8.nytimes.com/images/2013/05/14/science/14zimmer-span/14zimmer-span-articleInline.jpg\" itemtype=\"http://schema.org/ImageObject\">\n<img itemprop=\"url\" src=\"http://graphics8.nytimes.com/images/2013/05/14/science/14zimmer-span/14zimmer-span-articleInline.jpg\" width=\"190\" height=\"112\" alt=\"\">\n<meta itemprop=\"identifier\" content=\"http://graphics8.nytimes.com/images/2013/05/14/science/14zimmer-span/14zimmer-span-articleInline.jpg\" />\n<meta itemprop=\"height\" content=\"190\" />\n<meta itemprop=\"width\" content=\"112\" />\n<meta itemprop=\"copyrightHolder\" content=\"Gerry Broome/Associated Press\" />\n</span>\n</a>\n</div>\n<h6 class=\"credit\">Gerry Broome/Associated Press</h6>\n<p class=\"caption\">A 13-year cicada in Chapel Hill, N.C., in 2011. This year’s 17-year cicadas are beginning to appear. </p>\n</div>\n \n</div>\n<div id=\"readerscomment\" class=\"inlineLeft\"></div>\n<div class=\"articleBody\">\n <p itemprop=\"articleBody\">\nWhat makes this emergence truly remarkable, however, is how long it’s been in the making. This month’s army of periodical cicadas was born in 1996. Their mothers laid their eggs in the branches of trees, where they developed for a few weeks before hatching and heading for the ground. “They just jumped out and rained down out of the trees,” said Chris Simon, a cicada biologist at the University of Connecticut. </p><p itemprop=\"articleBody\">\nThose Clinton-era larvae then squirmed into the dirt and spent the next 17 years sucking fluid from tree roots. Now, at last, they are ready to produce the next generation. The adult males are snapping rigid plates on their abdomens to produce their courtship song. The females are clicking their wings to signal approval. They will mate and then die shortly afterward. Their time in the sun is short, but their 17-year life span makes them the longest-lived insects known. </p><p itemprop=\"articleBody\">\nAfter 17 years, we humans are just barely getting started in life. A mouse, by contrast, needs just seven weeks to become sexually mature, and it will live only a few years more. Yet mice are like Methuselah compared with the gastrotrich, a water-dwelling invertebrate the size of a poppy seed. Three days after it hatches, it’s laying eggs, and days later it’s dead. </p><p itemprop=\"articleBody\">\nIn any given species, the pace of life evolves. Natural selection is constantly shaping its genes, adapting it to its environment. How long a species lives and how much of that life it takes to reach adulthood are evolving just like every other trait. </p><p itemprop=\"articleBody\">\nFor periodical cicadas (usually pronounced sih-KAY-duhz), evolution favors growing up in sync. They can find protection from ravenous birds in huge numbers. There simply aren’t enough birds at any moment to eat a few billion cicadas at once. </p><p itemprop=\"articleBody\">\nThis strategy has worked so well, in fact, that cicadas have lost their other defenses. They even fly sluggishly. When errant cicadas emerge in the wrong year, they are quickly eradicated by birds — along with their errant genes. </p><p itemprop=\"articleBody\">\nFor a fast-growing cicada, Dr. Simon suspects, natural selection favors patience. “It’s better to wait till everyone catches up,” said Dr. Simon. As a result, evolution favors a long life in cicadas. </p><p itemprop=\"articleBody\">\nOnly some of the periodical cicadas in the eastern United States are emerging at the moment. They’re known collectively as Brood II. In other regions, other broods emerge in different years. Last year, for example, Brood I emerged in Virginia, West Virginia and Tennessee. All told, there are 15 broods lurking in the ground around the United States. Twelve have a 17-year cycle, and three have a 13-year cycle. </p><p itemprop=\"articleBody\">\nTo study all these broods, Dr. Simon and her colleagues usually spend spring traveling around the country. (This month she’s heading to North Carolina to check out the southern edge of Brood II.) The rest of the year, they study the insects and their DNA. In a <a href=\"http://www.pnas.org/content/110/17/6919.full\">new study</a> published in April, Dr. Simon and her colleagues reported that the common ancestor of all the periodical cicadas in the United States lived four million years ago. </p><p itemprop=\"articleBody\">\nIts descendants then evolved with remarkable speed. “We know that during the last half million years, periodical cicadas have switched between 13- and 17-year life cycles at least eight times,” said Dr. Simon. “There’s a lot of this life-cycle switching going on.” </p><p itemprop=\"articleBody\">\nDr. Simon suspects that the switch happens when populations of cicadas expand into territories where other cicadas are already buried in the ground. The immigrants that keep to their old schedule get wiped out, while any oddballs that happen to match the resident cicadas can blend in and survive. </p><p itemprop=\"articleBody\">\n“They just get sucked into the brood,” said Dr. Simon. That would explain how the different species in a brood always manage to follow the same timetable. To do otherwise spells doom. </p><p itemprop=\"articleBody\">\nFour years is, of course, quite a change to the appointment calendar. How cicadas can make such a drastic switch remains for Dr. Simon and other cicada experts to discover. It’s possible that a minor difference in the DNA of cicadas can trigger it. </p><p itemprop=\"articleBody\">\nThis summer, after Brood II is dead and its eggs have rained to the earth, Dr. Simon and her colleagues will be probing the genomes of cicadas for that switch, hoping to find another clue to one of the world’s great life cycles. </p><NYT_CORRECTION_BOTTOM>\t<div class=\"articleCorrection\">\n</div>\n</NYT_CORRECTION_BOTTOM><NYT_UPDATE_BOTTOM>\n</NYT_UPDATE_BOTTOM>\n</NYT_TEXT>\n</div>\n</div>\n<!--cur: prev:-->\n<div class=\"columnGroup \">\t\t\t\t\n<div class=\"articleFooter\">\n<div class=\"articleMeta\">\n<div class=\"opposingFloatControl wrap\">\n<div class=\"element1\">\n<h6 class=\"metaFootnote\">A version of this article appeared in print on May 14, 2013, on page <span itemprop=\"printSection\">D</span><span itemprop=\"printPage\">3</span> of the <span itemprop=\"printEdition\">New York edition</span> with the headline: 17 Years to Hatch an Invasion.</h6>\n</div>\n</div>\n</div>\n\n<img itemprop=\"newsUsageTag\" src=\"http://analytics.apnewsregistry.com/analytics/v2/image.svc/TheNewYorkTimes/RWS/nytimes.com/CAI/100000002212861/E/prod/PC/Basic/AT/A\" alt=\"\" width=\"1\" height=\"1\" style=\"display:none;\" />\n\n</div>\t</div>\n<!--cur: prev:-->\n<div class=\"columnGroup \">\t\t\t\t\n<div class=\"shareTools shareToolsThemeClassic shareToolsThemeClassicHorizontal articleShareToolsBottom\"\n\tdata-shares=\"facebook|,twitter|,google|,save,email,showall|Share\" \n\tdata-title=\"17 Years to Hatch an Invasion\" \n\tdata-url=\"http://www.nytimes.com/2013/05/14/science/marvels-and-a-few-mysteries-in-cicadas-17-years.html\" \n\tdata-description=\"Billions of cicadas, the red-eyed insects renowned for their shrill mating call, are beginning to crawl out of the earth, an emergence 17 years in the making.\"></div>\n<meta name=\"emailThisHash\" content=\"v5Xj0w+Yk1BQ1BYct6wfKw\">\n</div>\n<!--cur: prev:-->\n<div class=\"columnGroup \">\t\t\t\t\n\n</div>\n<!--cur: prev:-->\n<div class=\"columnGroup \">\t\t\t\t\n<div id=\"embeddedCommentsTileAd\" class=\"hidden\"> \n\n</div>\n<div id=\"commentsContainer\" class=\"commentsContainer singleRule\" ></div>\n</div>\n<!--cur: prev:-->\n<div class=\"columnGroup \">\t\t\t\t\n<div class=\"singleRuleDivider\"></div>\r\n<div class=\"articleBottomExtra\">\r\n<div class=\"column lastColumn\">\r\n<div class=\"emailAlertModule module\">\n<h5 class=\"sectionHeaderSm\">Get Free E-mail Alerts on These Topics</h5>\n<form action=\"https://myaccount.nytimes.com/mem/tnt.html\" method=\"GET\" enctype=\"application/x-www-form-urlencoded\">\n<input type=\"hidden\" name=\"retA\" value=\"http://www.nytimes.com//2013/05/14/science/marvels-and-a-few-mysteries-in-cicadas-17-years.html\" >\n<input type=\"hidden\" name=\"retT\" value=\"17 Years to Hatch an Invasion\">\n<input type=\"hidden\" name=\"module\" value=\"call\">\n<input type=\"hidden\" name=\"alert_context\" value=\"1\">\n<table>\n<tbody>\n<tr>\n<td class = \"column\">\n<input type=\"hidden\" name=\"topic1\" value=\"Cicadas+%28Insects%29\">\n<input type=\"hidden\" name=\"topic_field1\" value=\"des\">\n<a class=\"inTextReferEmail\" href=\"https://myaccount.nytimes.com/mem/tnt.html?module=call&alert_context=1&topic1=Cicadas+%28Insects%29&topic_field1=des&topic1_check=y&retA=&retT=&cskey=\" onClick=\"javascript:s_code_linktrack('Article-RelatedTopics'); dcsMultiTrack('DCS.dcssip','www.nytimes.com','DCS.dcsuri','/newstracker/add.html','WT.ti','Newstracker Add','WT.z_nta','Add','WT.pers','Per','WT.z_dcsm','1');\" onmousedown=\"NYTD.relatedSearches.clickHandler(event);\" >\n<span itemprop=\"about\" itemscope itemtype=\"http://schema.org/Thing\"><span itemprop=\"name\">Cicadas (Insects)</span></span>\n</a>\n</td>\n</tr>\n</tbody>\n</table>\n</form>\n</div>\n</div>\r\n</div>\t</div>\n<!--cur: prev:-->\n<div class=\"columnGroup last\">\t\t\t\t\n\r\n<div class=\"columnGroup\" id=\"adxSponLink\"></div>\r\n<script language=\"JavaScript\">\r\n google_hints=\"17 Years to Hatch an Invasion\";google_ad_channel=\"archive, archive_science, archive_Science\";\n</script>\n<!-- ADXINFO classification=\"Email_Text_Ad_Version\" campaign=\"GoogleAdSense_ARTICLE_SPONLINK\" priority=\"1002\" width=\"0\" height=\"0\" --><script language=\"JavaScript\" type=\"text/javascript\">\n // Sponlink_short \n\nfunction getMetaValue(name) {\n var els = document.getElementsByName(name);\n if (els && els[0]) { return els[0].content; }\n return \"\";\n}\n\n NYTD.GoogleAds.paramObj = {google_ad_client:'nytimes_article_var', google_ad_channel:'left', ad_target_list:'sponLink' };\n NYTD.GoogleAds.paramObj.google_hints = getMetaValue('keywords');\n NYTD.GoogleAds.getGoogleAds(\"AFC\", NYTD.GoogleAds.paramObj);\n </script>\r\n\r\n</div>\n</div>\r\n</div><!--close abColumn -->\r\n<div id=\"cColumn\" class=\"cColumn\">\r\n\n<div class=\"columnGroup\">\n\n</div>\n<!----> <div class=\"columnGroup first\">\n\n</div>\n<!----> <div class=\"columnGroup \">\n\n<div class=\"singleAd\" id=\"MiddleRight\">\n<!-- ADXINFO classification=\"Big_Ad_-_Standard\" campaign=\"GoogleAdSense_ROS_BA\" priority=\"1366\" width=\"300\" height=\"250\" --><div class=\"clearfix\">\n<script language=\"JavaScript\">\n<!--\nif (!window.nyt_google_count) { var nyt_google_count = 0; }\nif ((!window.nyt_google_ad_channel) && (window.google_ad_channel)) { var nyt_google_ad_channel = google_ad_channel; }\nif ((!window.nyt_google_hints) && (window.google_hints)) { var nyt_google_hints = google_hints; }\nif ((!window.nyt_google_contents) && (window.google_contents)) { var nyt_google_contents = google_contents; }\nfunction ss(w,id) {window.status = w;return true;}function cs(){window.status='';}function ha(a){ pha=document.getElementById(a); nhi=pha.href.indexOf(\"&nh=\");if(nhi < 1) {phb=pha.href+\"&nh=1\";} pha.href=phb;}function ca(a) { pha=document.getElementById(a); nci=pha.href.indexOf(\"&nc=\");if(nci < 1) {phb=pha.href+\"&nc=1\";} pha.href=phb;window.open(document.getElementById(a).href);}function ga(o,e) {if (document.getElementById) {a=o.id.substring(1);p = \"\";r = \"\";g = e.target;if (g) {t = g.id;f = g.parentNode;if (f) {p = f.id;h = f.parentNode;if (h)r = h.id;}} else {h = e.srcElement;f = h.parentNode;if (f)p = f.id;t = h.id;}if (t==a || p==a || r==a)return true;pha=document.getElementById(a); nbi=pha.href.indexOf(\"&nb=\");if(nbi < 1) {phb=pha.href+\"&nb=1\";} pha.href=phb;window.open(document.getElementById(a).href);}}\n \nfunction google_ad_request_done(ads) {\n var s = '';\n var i;\n \n if (ads.length == 0) {\n return;\n }\n \n if (ads[0].type == \"image\") {\n s += '<a href=\"' + ads[0].url +\n '\" target=\"_blank\" title=\"go to ' + ads[0].visible_url +\n '\"><img border=\"0\" src=\"' + ads[0].image_url +\n '\"width=\"' + ads[0].image_width +\n '\"height=\"' + ads[0].image_height + '\"></a>';\n } else if (ads[0].type == \"flash\") {\n s += '<object classid=\"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000\"' +\n ' codebase=\"http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,0,0\"' +\n ' WIDTH=\"' + google_ad.image_width +\n '\" HEIGHT=\"' + google_ad.image_height + '\">' +\n '<PARAM NAME=\"movie\" VALUE=\"' + google_ad.image_url + '\">' +\n '<PARAM NAME=\"quality\" VALUE=\"high\">' +\n '<PARAM NAME=\"AllowScriptAccess\" VALUE=\"never\">' +\n '<EMBED src=\"' + google_ad.image_url +\n '\" WIDTH=\"' + google_ad.image_width +\n '\" HEIGHT=\"' + google_ad.image_height +\n '\" TYPE=\"application/x-shockwave-flash\"' +\n ' AllowScriptAccess=\"never\" ' +\n ' PLUGINSPAGE=\"http://www.macromedia.com/go/getflashplayer\"></EMBED></OBJECT>';\n } else if (google_ads[0].type == \"html\") {\n s += google_ads[0].snippet;\n } else if (ads[0].type == \"text\") {\n nyt_google_count += ads.length;\n google_ad_section_line_height = \"14px\";\n google_ad_section_padding_left = \"7px\";\n google_title_link_font_size = \"12px\";\n google_ad_text_font_size = \"11px\";\n google_visible_url_font_size = \"10px\";\n \n s += '<table width=\"100%\" height=\"\" border=\"0\" cellspacing=\"0\" cellpadding=\"0\" style=\"text-align:left; width:100%; border-style: solid; border-width: 1px; border-color: #9da3ad\" >\\n<tr>\\n<td style=\"font-family:Arial,Helvetica,sans-serif; font-size:12px; color:#333333;\" valign=\"top\"><table width=\"100%\" height=\"100%\" cellspacing=\"0\" cellpadding=\"0\" border=\"0\" style=\"width:100%; height:100%;\">\\n<tr>\\n <td style=\"background-color:#9da3ad; width:70%; height:20px; padding-top:2px; padding-left:11px; padding-bottom:2px; font-family:Arial,Helvetica,sans-serif; font-size:12px; color:#333333;\" width=\"70%\" height=\"20\" bgcolor=\"#9da3ad\" ><span style=\"font-size: 12px; font-weight: normal; color:#ffffff;\" >Ads by Google</span></td>\\n<td style=\"padding-top:2px; padding-bottom:2px; width:30%; height:20px; align:right; background-color:#9da3ad; font-family:Arial,Helvetica,sans-serif; font-size:12px; color:#333333;\" width=\"30%\" height=\"20\" align=\"right\" bgcolor=\"#9da3ad\" ><span><a style=\"font-family:Arial,Helvetica,sans-serif; color: white; font-size:12px; padding-right:7px;\" href=\"http://www.nytimes.com/ref/membercenter/faq/linkingqa16.html\" onclick=\"window.open(\\'\\',\\'popupad\\',\\'left=100,top=100,width=390,height=390,resizable,scrollbars=no\\')\" target=\"popupad\">what\\'s this?</a></span></td>\\n</tr>\\n</table>\\n</td>\\n</tr>\\n<tr>\\n<td style=\"height:110px; font-family:Arial,Helvetica,sans-serif; font-size:12px; color:#333333;\" valign=\"top\" height=\"110\"><table height=\"100%\" width=\"100%\" cellpadding=\"4\" cellspacing=\"0\" border=\"0\" bgcolor=\"#f8f8f9\" style=\"height:100%; width:100%; padding:4px; background-color:#f8f8f9;\">\\n';\n for (i = 0; i < ads.length; ++i) {\n s += '<tr>\\n<td style=\"cursor:pointer; cursor:hand; font-family:Arial,Helvetica,sans-serif; font-size:12px; color:#333333; background-color:#f8f8f9;\" id=\"taw' + i + '\" valign=\"middle\" onFocus=\"ss(\\'go to ' + ads[i].visible_url + '\\',\\'aw' + i + '\\')\" onMouseOver=\"ss(\\'go to ' + ads[i].visible_url + '\\',\\'aw' + i + '\\')\" onMouseOut=\"cs()\" onClick=\"ga(this,event)\"><div style=\"line-height:' + google_ad_section_line_height + '; padding-left:' + google_ad_section_padding_left + '; padding-bottom:5px;\" ><a id=\"aw' + i + '\" href=\"' + ads[i].url + '\" target=\"_blank\" style=\"font-size:' + google_title_link_font_size + '; color:#000066; font-weight:bold; text-decoration:underline;\" onFocus=\"ss(\\'go to ' + ads[i].visible_url + '\\',\\'aw' + i + '\\')\" onClick=\"ha(\\'aw' + i + '\\')\" onMouseOver=\"return ss(\\'go to ' + ads[i].visible_url + '\\',\\'aw' + i + '\\')\" onMouseOut=\"cs()\">' + ads[i].line1 + '</a><br>\\n<a href=\"' + ads[i].url + '\" target=\"_blank\" style=\"font-family:Arial,Helvetica,sans-serif; font-size:' + google_ad_text_font_size + ';color:#333333;text-decoration:none;\">' + ads[i].line2 + ' ' + ads[i].line3 + '</a><br>\\n<a href=\"' + ads[i].url + '\" target=\"_blank\" style=\"font-size:' + google_visible_url_font_size + '; color:#000066; font-weight:normal; text-decoration:none;\">' + ads[i].visible_url + '</a></div>\\n</td>\\n</tr>\\n';\n }\n s += '</table>\\n</td>\\n</tr>\\n</table>';\n }\n document.write(s);\n return;\n}\ngoogle_ad_client = 'ca-nytimes_display_html';\ngoogle_ad_channel = 'ROS_big_ad';\ngoogle_ad_output = 'js';\ngoogle_max_num_ads = '6';\ngoogle_ad_type = 'text,image,flash,html';\ngoogle_image_size = '300x250';\ngoogle_safe = 'high';\ngoogle_targeting = 'site_content';\nif (window.nyt_google_contents) { google_contents = nyt_google_contents; }\nelse if (window.nyt_google_hints) { google_hints = nyt_google_hints; }\n// -->\n</script>\n<script language=\"JavaScript\" src=\"http://pagead2.googlesyndication.com/pagead/show_ads.js\"></script>\n\n<div style=\"font-family: Arial; font-size: 10px; color:#004276; float: right; margin-right: 9px;\"><a href=\"http://www.nytimes.whsites.net/mediakit/\">Advertise on NYTimes.com</a></div></div>\n</div>\n\n</div>\n<!----> <div class=\"columnGroup \">\n\n</div>\n<!----> <div class=\"columnGroup \">\n\n</div>\n<!----> <div class=\"columnGroup \">\n<div id=\"mostPopWidget\" class=\"doubleRule nocontent\"></div>\n<script src=\"http://graphics8.nytimes.com/js/app/recommendations/recommendationsModule.js\" type=\"text/javascript\" charset=\"utf-8\"></script>\n</div>\n<!----> <div class=\"columnGroup \">\n\n</div>\n<!----> <div class=\"columnGroup \">\n\r\n</div>\n<!----> <div class=\"columnGroup \">\n<!--[TwoColumnAdLeft - Begin] -->\n<!--[TwoColumnAdLeft - End] -->\n</div>\n<!----> <div class=\"columnGroup \">\n\n<div class=\"singleAd\" id=\"Middle5\">\n<!-- ADXINFO classification=\"Featured_Product_Image\" campaign=\"nyt2013_300x79_XPS_ros_3JLRK_ANON\" priority=\"1001\" width=\"120\" height=\"90\" --><div align=\"center\">\n<a href=\"http://www.nytimes.com/adx/bin/adx_click.html?type=goto&opzn&page=www.nytimes.com/yr/mo/day/science&pos=Middle5&sn2=18cf2779/180ef2b4&sn1=f6d3bf46/4a86fc3d&camp=nyt2013_300x79_XPS_ros_3JLRK_ANON&ad=RG-D-I-NYT-AD-FP-RGX-ROS-0513-ANON&goto=https%3A%2F%2Fmyaccount%2Enytimes%2Ecom%2Fregister%3F%3FWT%2Emc%5Fid%3DRG%2DD%2DI%2DNYT%2DAD%2DFP%2DRGX%2DROS%2D0513%2DANON%26WT%2Emc%5Fev%3Dclick%26WT%2Emc%5Fc%3D217468\" target=\"_blank\">\n<img src=\"http://graphics8.nytimes.com/adx/images/ADS/33/92/ad.339213/13-2439_xps_300x79_ER1.jpg\" width=\"300\" height=\"79\" border=\"0\">\n</a>\n</div>\n</div>\n\n</div>\n<!----> <div class=\"columnGroup last\">\n\n</div>\n<div class=\"columnGroup\">\n\n<div id=\"adxSponLinkA\"></div>\n<!-- ADXINFO classification=\"Email_Text_Ad_Version\" campaign=\"GoogleAdSense_ARTICLE_GOOGLE_SPONLINK_A\" priority=\"1002\" width=\"0\" height=\"0\" --><script language=\"JavaScript\" type=\"text/javascript\">\n // Sponlink_A_Short\n\n if (document.getElementById(\"MiddleRight\")) { google_targeting = 'content'; }\n NYTD.GoogleAds.getGoogleAds(\"AFC\", { \n google_ad_client:'nytimes_article_var',\n ad_target_list:'sponLinkA'\n });\n\n</script>\n\n</div>\n\n\n\n\n\n\n<div class=\"columnGroup\">\n</div>\n</div>\r\n</div><!--close spanAB -->\r\n\n <!-- start MOTH -->\n \t<div id=\"insideNYTimes\" class=\"doubleRule nocontent\">\n <script type=\"text/javascript\" src=\"http://js.nyt.com/js/app/moth/moth.js\"></script>\n <div id=\"insideNYTimesHeader\">\n <div class=\"navigation\"><span id=\"leftArrow\"><img id=\"mothReverse\" src=\"http://i1.nyt.com/images/global/buttons/moth_reverse.gif\" /></span>&nbsp;<span id=\"rightArrow\"><img id=\"mothForward\" src=\"http://i1.nyt.com/images/global/buttons/moth_forward.gif\" /></span></div>\n <h4>\n Inside NYTimes.com </h4>\n </div>\n \n \n <div id=\"insideNYTimesScrollWrapper\">\n <table id=\"insideNYTimesBrowser\" cellspacing=\"0\">\n <tbody>\n <tr>\n <td class=\"first\">\n <div class=\"story\">\n <h6 class=\"kicker\">\n <a href=\"http://www.nytimes.com/pages/dining/index.html\">Dining & Wine &raquo;</a>\n </h6>\n <div class=\"mothImage\">\n <a href=\"http://www.nytimes.com/2013/06/05/dining/frying-with-gas-is-not-a-mistake.html\"><img src=\"http://i1.nyt.com/images/2013/06/05/dining/05MOTH_GRILLING/05MOTH_GRILLING-moth.jpg\" alt=\"Frying Outdoors? It&rsquo;s No Mistake\" width=\"151\" height=\"151\" /></a>\n </div>\n <h6 class=\"headline\"><a href=\"http://www.nytimes.com/2013/06/05/dining/frying-with-gas-is-not-a-mistake.html\">Frying Outdoors? It&rsquo;s No Mistake</a></h6>\n </div>\n </td>\n <td>\n <div class=\"story\">\n <h6 class=\"kicker\">\n <a href=\"http://www.nytimes.com/pages/opinion/index.html\">Opinion &raquo;</a> </h6>\n <div class=\"mothImage\">\n <a href=\"http://www.nytimes.com/2013/06/05/opinion/make-patent-trolls-pay-in-court.html\"><img src=\"http://i1.nyt.com/images/2013/06/05/opinion/05moth_oped/05moth_oped-moth.jpg\" alt=\"Op-Ed: Make Patent Trolls Pay in Court\" width=\"151\" height=\"151\" /></a>\n </div>\n <h6 class=\"headline\"><a href=\"http://www.nytimes.com/2013/06/05/opinion/make-patent-trolls-pay-in-court.html\">Op-Ed: Make Patent Trolls Pay in Court</a></h6>\n </div>\n </td>\n <td>\n <div class=\"story\">\n <h6 class=\"kicker\">\n <a href=\"http://www.nytimes.com/pages/health/index.html\">Health &raquo;</a> </h6>\n <div class=\"mothImage\">\n <a href=\"http://well.blogs.nytimes.com/?p=92383\"><img src=\"http://i1.nyt.com/images/2013/06/05/health/05MOTH_health/05MOTH_health-moth.jpg\" alt=\"Is Barefoot-Style Running Best?\" width=\"151\" height=\"151\" /></a>\n </div>\n <h6 class=\"headline\"><a href=\"http://well.blogs.nytimes.com/?p=92383\">Is Barefoot-Style Running Best?</a></h6>\n </div>\n </td>\n <td>\n <div class=\"story\">\n <h6 class=\"kicker\">\n <a href=\"http://www.nytimes.com/pages/arts/television/index.html\">Television &raquo;</a>\n </h6>\n <div class=\"mothImage\">\n <a href=\"http://www.nytimes.com/2013/06/05/arts/television/supreme-courts-dna-ruling-tests-the-scriptwriters-art.html\"><img src=\"http://i1.nyt.com/images/2013/06/05/arts/television/05moth_procedural/05moth_procedural-moth.jpg\" alt=\"In DNA Ruling, a Cruel Blow to Scriptwriters\" width=\"151\" height=\"151\" /></a>\n </div>\n <h6 class=\"headline\"><a href=\"http://www.nytimes.com/2013/06/05/arts/television/supreme-courts-dna-ruling-tests-the-scriptwriters-art.html\">In DNA Ruling, a Cruel Blow to Scriptwriters</a></h6>\n </div>\n </td>\n <td>\n <div class=\"story\">\n <h6 class=\"kicker\"><a href=\"http://www.nytimes.com/pages/opinion/index.html\">Opinion &raquo;</a></h6>\n <h3><a href=\"http://www.nytimes.com/2013/06/05/opinion/jewish-identity-spelled-in-yiddish.html\">Op-Ed: Jewish Identity, Spelled in Yiddish</a></h3>\n <p class=\"summary\">Modern Yiddish transliteration was created by scholars who saw Judaism as a nationality based on language.</p>\n </div>\n </td>\n <td>\n <div class=\"story\">\n <h6 class=\"kicker\">\n <a href=\"http://www.nytimes.com/pages/national/index.html\">U.S. &raquo;</a>\n </h6>\n <div class=\"mothImage\">\n <a href=\"http://www.nytimes.com/2013/06/05/us/cambridge-struggles-to-accept-marathon-bombing-link.html\"><img src=\"http://i1.nyt.com/images/2013/06/05/us/05moth_cambridge/05moth_cambridge-moth.jpg\" alt=\"Cambridge Struggles to Accept Bombing Link\" width=\"151\" height=\"151\" /></a>\n </div>\n <h6 class=\"headline\"><a href=\"http://www.nytimes.com/2013/06/05/us/cambridge-struggles-to-accept-marathon-bombing-link.html\">Cambridge Struggles to Accept Bombing Link</a></h6>\n </div>\n </td>\n <td class=\"hidden\">\n <div class=\"story\">\n <h6 class=\"kicker\">\n <a href=\"http://www.nytimes.com/pages/nyregion/index.html\">N.Y. / Region &raquo;</a>\n </h6>\n <div class=\"mothImage\">\n <a href=\"http://www.nytimes.com/2013/06/05/nyregion/discovered-at-64-a-brooklyn-artist-takes-his-place.html\"><span class=\"img\" src=\"http://i1.nyt.com/images/2013/06/05/nyregion/05moth_about/05moth_about-moth.jpg\" alt=\"At 64, a Brooklyn Artist Takes His Place\" width=\"151\" height=\"151\" /></a>\n </div>\n <h6 class=\"headline\"><a href=\"http://www.nytimes.com/2013/06/05/nyregion/discovered-at-64-a-brooklyn-artist-takes-his-place.html\">At 64, a Brooklyn Artist Takes His Place</a></h6>\n </div>\n </td>\n <td class=\"hidden\">\n <div class=\"story\">\n <h6 class=\"kicker\"><a href=\"http://www.nytimes.com/pages/opinion/index.html\">Opinion &raquo;</a></h6>\n <h3><a href=\"http://www.nytimes.com/2013/06/05/opinion/stop-playing-politics-with-college-loans.html\">Op-Ed: Playing Politics With Student Debt</a></h3>\n <p class=\"summary\">A plan to make college loan costs more stable and affordable.</p>\n </div>\n </td>\n <td class=\"hidden\">\n <div class=\"story\">\n <h6 class=\"kicker\">\n <a href=\"http://www.nytimes.com/pages/arts/dance/index.html\">Dance &raquo;</a>\n </h6>\n <div class=\"mothImage\">\n <a href=\"http://www.nytimes.com/2013/06/05/arts/dance/tiffany-mills-dance-company-at-brooklyn-academy-of-music.html\"><span class=\"img\" src=\"http://i1.nyt.com/images/2013/06/05/arts/dance/05moth_mills/05moth_mills-moth.jpg\" alt=\"Attraction, Revulsion and Discussion\" width=\"151\" height=\"151\" /></a>\n </div>\n <h6 class=\"headline\"><a href=\"http://www.nytimes.com/2013/06/05/arts/dance/tiffany-mills-dance-company-at-brooklyn-academy-of-music.html\">Attraction, Revulsion and Discussion</a></h6>\n </div>\n </td>\n <td class=\"hidden\">\n <div class=\"story\">\n <h6 class=\"kicker\">\n <a href=\"http://www.nytimes.com/pages/national/index.html\">U.S. &raquo;</a>\n </h6>\n <div class=\"mothImage\">\n <a href=\"http://www.nytimes.com/2013/06/05/us/politics/us-china-meetings-aim-personal-diplomacy.html\"><span class=\"img\" src=\"http://i1.nyt.com/images/2013/06/05/us/05moth_presidents/05moth_presidents-moth.jpg\" alt=\"U.S.-China Meeting&rsquo;s Aim: Personal Diplomacy\" width=\"151\" height=\"151\" /></a>\n </div>\n <h6 class=\"headline\"><a href=\"http://www.nytimes.com/2013/06/05/us/politics/us-china-meetings-aim-personal-diplomacy.html\">U.S.-China Meeting&rsquo;s Aim: Personal Diplomacy</a></h6>\n </div>\n </td>\n <td class=\"hidden\">\n <div class=\"story\">\n <h6 class=\"kicker\"><a href=\"http://www.nytimes.com/pages/opinion/index.html\">Opinion &raquo;</a></h6>\n <h3><a href=\"http://www.nytimes.com/roomfordebate/2013/06/04/an-age-limit-for-congress\">Older and Wiser?</a></h3>\n <p class=\"summary\">Room for Debate asks whether Congress should have an age limit. Or do the most senior lawmakers pull their weight?</p>\n </div>\n </td>\n <td class=\"hidden\">\n <div class=\"story\">\n <h6 class=\"kicker\">\n <a href=\"http://www.nytimes.com/pages/dining/index.html\">Dining & Wine &raquo;</a>\n </h6>\n <div class=\"mothImage\">\n <a href=\"http://www.nytimes.com/2013/06/05/dining/reviews/restaurant-review-carbone-in-manhattan.html\"><span class=\"img\" src=\"http://i1.nyt.com/images/2013/06/05/dining/05MOTH_REST/05MOTH_REST-moth.jpg\" alt=\"Restaurant Review: Carbone\" width=\"151\" height=\"151\" /></a>\n </div>\n <h6 class=\"headline\"><a href=\"http://www.nytimes.com/2013/06/05/dining/reviews/restaurant-review-carbone-in-manhattan.html\">Restaurant Review: Carbone</a></h6>\n </div>\n </td>\n </tr>\n </tbody>\n </table>\n </div>\n \n </div><!-- end #insideNYTimes -->\n\n </div><!--close main -->\r\n<footer class=\"pageFooter\">\n<div class=\"inset\">\n<nav class=\"pageFooterNav\">\n<ul class=\"pageFooterNavList wrap\">\n<li class=\"firstItem\"><a href=\"http://www.nytco.com/\">&copy; 2013 The New York Times Company</a></li>\n<li><a href=\"http://spiderbites.nytimes.com/\">Site Map</a></li>\n<li><a href=\"http://www.nytimes.com/privacy\">Privacy</a></li>\n<li><a href=\"http://www.nytimes.com/ref/membercenter/help/privacy.html#pp\">Your Ad Choices</a></li>\n<li><a href=\"http://www.nytimes.whsites.net/mediakit/\">Advertise</a></li>\n<li><a href=\"http://www.nytimes.com/content/help/rights/sale/terms-of-sale.html \">Terms of Sale</a></li>\n<li><a href=\"http://www.nytimes.com/ref/membercenter/help/agree.html\">Terms of Service</a></li>\n<li><a href=\"http://www.nytco.com/careers\">Work With Us</a></li>\n<li><a href=\"http://www.nytimes.com/rss\">RSS</a></li>\n<li><a href=\"http://www.nytimes.com/membercenter/sitehelp.html\">Help</a></li>\n<li><a href=\"http://www.nytimes.com/ref/membercenter/help/infoservdirectory.html\">Contact Us</a></li>\n<li class=\"lastItem\"><a href=\"https://myaccount.nytimes.com/membercenter/feedback.html\">Site Feedback</a></li>\n</ul>\n</nav>\n</div><!--close inset -->\n</footer><!--close pageFooter -->\n</div><!--close page -->\r\n</div><!--close shell -->\r\n<IMG CLASS=\"hidden\" SRC=\"/adx/bin/clientside/6e6ab197Q2FooorQ24Q7BQ7CigQ7BxoirQ7B@KQ25aTxQ27Q7BQ20fT!ErQ5Cx1r.Q2BZEexQ2BQ2B!.Z\" height=\"1\" width=\"3\">\r\n \n\n\n</body>\n\r\n\n\t\t\t\n\t\t<!-- Start UPT call -->\n\t\t<img height=\"1\" width=\"3\" border=0 src=\"http://up.nytimes.com/?d=0/21/&t=6&s=0&ui=0&r=&u=www%2enytimes%2ecom%2f2013%2f05%2f14%2fscience%2fmarvels%2dand%2da%2dfew%2dmysteries%2din%2dcicadas%2d17%2dyears%2ehtml%3f%5fr%3d0%26hp%3d\">\n\t\t<!-- End UPT call -->\n\t\n\t\t\n <script language=\"JavaScript\"><!--\n var dcsvid=\"0\";\n var regstatus=\"non-registered\";\n //--></script>\n <script src=\"http://graphics8.nytimes.com/js/app/analytics/trackingTags_v1.1.js\" type=\"text/javascript\"></script>\n <noscript>\n <div><img alt=\"DCSIMG\" id=\"DCSIMG\" width=\"1\" height=\"1\" src=\"http://wt.o.nytimes.com/dcsym57yw10000s1s8g0boozt_9t1x/njs.gif?dcsuri=/nojavascript&amp;WT.js=No&amp;WT.tv=1.0.7\"/></div>\n </noscript>\n \r\n\r\n\r\n</html>\r\n\r\n<script>\nNYTD.jQuery(window).on('load', function () {\n\n function getMetaValue(name) {\n var els = document.getElementsByName(name);\n if (els && els[0]) { return els[0].content; }\n return \"\";\n }\n\n var kurl = document.location.pathname;\n var kgeoref = getMetaValue(\"geo\");\n var ksection = getMetaValue(\"CG\");\n var ksubsection = getMetaValue(\"SCG\");\n var kauthor = getMetaValue(\"author\");\n var kfacebstring = \"AUTHOR=\" + kauthor + \"&GEO_REF=\" + kgeoref + \"&SECTION=\" + ksection + \"&SUBSECTION=\" + ksubsection + \"&URL=www.nytimes.com\" + kurl;\n\n NYTD.jQuery(\".shareToolsItemFacebook\").on('click', function () {\n var scriptTag = document.createElement(\"script\");\n scriptTag.src = 'http://beacon.krxd.net/event.gif?event_id=HudKM7Cc&event_type=clk&pub_id=79816aa8-435a-471a-be83-4b3e0946daf2&' + kfacebstring; \n var firstScript = document.getElementsByTagName(\"script\")[0];\n firstScript.parentNode.insertBefore(scriptTag, firstScript);\n }); \n});\n</script>\n\r\n\r\n\n\n"
],
[
"<!DOCTYPE html>\n<html>\n <head prefix=\"og: http://ogp.me/ns# fb: http://ogp.me/ns/fb# githubog: http://ogp.me/ns/fb/githubog#\">\n <meta charset='utf-8'>\n <meta http-equiv=\"X-UA-Compatible\" content=\"IE=edge\">\n <title>The Revolution Will Be Forked · GitHub</title>\n <link rel=\"search\" type=\"application/opensearchdescription+xml\" href=\"/opensearch.xml\" title=\"GitHub\" />\n <link rel=\"fluid-icon\" href=\"https://github.com/fluidicon.png\" title=\"GitHub\" />\n <link rel=\"apple-touch-icon\" sizes=\"57x57\" href=\"/apple-touch-icon-114.png\" />\n <link rel=\"apple-touch-icon\" sizes=\"114x114\" href=\"/apple-touch-icon-114.png\" />\n <link rel=\"apple-touch-icon\" sizes=\"72x72\" href=\"/apple-touch-icon-144.png\" />\n <link rel=\"apple-touch-icon\" sizes=\"144x144\" href=\"/apple-touch-icon-144.png\" />\n <link rel=\"logo\" type=\"image/svg\" href=\"http://github-media-downloads.s3.amazonaws.com/github-logo.svg\" />\n <link rel=\"assets\" href=\"https://a248.e.akamai.net/assets.github.com/\">\n <link rel=\"xhr-socket\" href=\"/_sockets\" />\n \n\n\n <meta name=\"msapplication-TileImage\" content=\"/windows-tile.png\" />\n <meta name=\"msapplication-TileColor\" content=\"#ffffff\" />\n <meta name=\"selected-link\" value=\"watercooler\" data-pjax-transient />\n <meta content=\"collector.githubapp.com\" name=\"octolytics-host\" /><meta content=\"github\" name=\"octolytics-app-id\" />\n\n \n \n <link rel=\"icon\" type=\"image/x-icon\" href=\"/favicon.ico\" />\n\n <meta content=\"authenticity_token\" name=\"csrf-param\" />\n<meta content=\"yJc/28QZv50YaISSk+ieEKJ1HQNJZLXEr2XKl5K8U3A=\" name=\"csrf-token\" />\n\n <link href=\"https://a248.e.akamai.net/assets.github.com/assets/github-a4c524f2138ecc4dd5bf9b8a6b1517bf38aa7b65.css\" media=\"all\" rel=\"stylesheet\" type=\"text/css\" />\n <link href=\"https://a248.e.akamai.net/assets.github.com/assets/github2-d2a693e8a6a75b6cde3420333a9e70bd2a2e20a4.css\" media=\"all\" rel=\"stylesheet\" type=\"text/css\" />\n \n\n\n <script src=\"https://a248.e.akamai.net/assets.github.com/assets/frameworks-5c60c478b1e0f90d149f11ed15aa52edd2996882.js\" type=\"text/javascript\"></script>\n <script src=\"https://a248.e.akamai.net/assets.github.com/assets/github-dca362d39ce6c15fd1d471169cd12026ca7ff8cc.js\" type=\"text/javascript\"></script>\n \n <meta http-equiv=\"x-pjax-version\" content=\"4f7f9c630bd61e5b628d7029fe05b824\">\n\n <meta name=\"description\" content=\"Build software better, together.\" />\n </head>\n\n\n <body class=\"logged_out env-production \">\n <div id=\"wrapper\">\n\n \n \n \n\n \n <div class=\"header header-logged-out\">\n <div class=\"container clearfix\">\n\n <a class=\"header-logo-wordmark\" href=\"https://github.com/\">Github</a>\n\n <div class=\"header-actions\">\n <a class=\"button primary\" href=\"/signup\">Sign up</a>\n <a class=\"button\" href=\"/login?return_to=%2Fblog%2F1499-the-revolution-will-be-forked\">Sign in</a>\n </div>\n\n <div class=\"command-bar js-command-bar \">\n\n\n <ul class=\"top-nav\">\n <li class=\"explore\"><a href=\"/explore\">Explore</a></li>\n <li class=\"features\"><a href=\"/features\">Features</a></li>\n <li class=\"enterprise\"><a href=\"http://enterprise.github.com/\">Enterprise</a></li>\n <li class=\"blog\"><a href=\"/blog\">Blog</a></li>\n </ul>\n <form accept-charset=\"UTF-8\" action=\"/search\" class=\"command-bar-form\" id=\"top_search_form\" method=\"get\">\n <a href=\"/search/advanced\" class=\"advanced-search-icon tooltipped downwards command-bar-search\" id=\"advanced_search\" title=\"Advanced search\"><span class=\"octicon octicon-gear \"></span></a>\n\n <input type=\"text\" data-hotkey=\"/ s\" name=\"q\" id=\"js-command-bar-field\" placeholder=\"Search or type a command\" tabindex=\"1\" autocapitalize=\"off\"\n \n >\n\n\n <span class=\"octicon help tooltipped downwards\" title=\"Show command bar help\">\n <span class=\"octicon octicon-question\"></span>\n </span>\n\n\n <input type=\"hidden\" name=\"ref\" value=\"cmdform\">\n\n <div class=\"divider-vertical\"></div>\n\n</form>\n </div>\n\n </div>\n</div>\n\n\n \n\n\n <div class=\"site clearfix\">\n <div id=\"site-container\" class=\"context-loader-container\" data-pjax-container>\n \n \n\n\n\n <div id=\"blog-main\" data-pjax-container>\n \n <div class=\"pagehead separation\">\n <div class=\"container\">\n <form action=\"/blog/search\" class=\"blog-search\" data-pjax>\n <span class=\"octicon octicon-search\"></span>\n <input class=\"blog-search-input\" type=\"text\" name=\"q\" id=\"blog-search\" value=\"\" tabindex=\"2\">\n </form>\n\n <h1>\n <a href=\"/blog\" id=\"blog-home\"><span class=\"octicon octicon-home\"></span></a><a href=\"/blog/1499-the-revolution-will-be-forked\">The Revolution Will Be Forked</a>\n </h1>\n </div>\n </div><!-- /.pagehead -->\n\n <div class=\"container\" id=\"blog-main\">\n \n\n<div class=\"blog-aside\">\n\n <div class=\"menu-container\" data-pjax>\n <ul class=\"menu\">\n <li><a href=\"/blog\" class=\"js-selected-navigation-item \" data-selected-links=\" /blog\">All Posts</a></li>\n <li><a href=\"/blog/category/ship\" class=\"js-selected-navigation-item \" data-selected-links=\"ship /blog/category/ship\">New Features</a></li>\n <li><a href=\"/blog/category/engineering\" class=\"js-selected-navigation-item \" data-selected-links=\"engineering /blog/category/engineering\">Engineering</a></li>\n <li><a href=\"/blog/category/enterprise\" class=\"js-selected-navigation-item \" data-selected-links=\"enterprise /blog/category/enterprise\">Enterprise</a></li>\n <li><a href=\"/blog/category/drinkup\" class=\"js-selected-navigation-item \" data-selected-links=\"drinkup /blog/category/drinkup\">Meetups</a></li>\n <li><a href=\"/blog/category/watercooler\" class=\"js-selected-navigation-item selected\" data-selected-links=\"watercooler /blog/category/watercooler\">Watercooler</a></li>\n </ul>\n </div>\n\n <a class=\"rss\" href=\"/blog/subscribe\" data-pjax>\n <span class=\"octicon octicon-rss\"></span>\n Subscribe\n </a>\n</div>\n <div class=\"blog-content\">\n <ul class=\"blog-post-meta\">\n <li>\n <span class=\"octicon octicon-calendar\"></span>\n May 9, 2013\n </li>\n\n <li class=\"vcard fn\">\n <img class=\"author-avatar\" height=\"18\" src=\"https://secure.gravatar.com/avatar/ea353bd28baa1aefaefae736a19fcf2a?s=140&amp;d=https://a248.e.akamai.net/assets.github.com%2Fimages%2Fgravatars%2Fgravatar-user-420.png\" width=\"18\" /> <a href=\"/benbalter\">benbalter</a>\n </li>\n\n <li>\n <span class=\"octicon octicon-file-directory\"></span>\n <a href=\"/blog/category/watercooler\">Watercooler</a>\n </li>\n\n</ul>\n\n\n <div class=\"blog-post-body markdown-body\">\n <p>Millions of people around the world use GitHub every day to build software together, but the GitHub Way™ isn't limited to code.</p>\n\n<p>We are humbled to see that the White House drafted and released <a href=\"http://project-open-data.github.io\">the official Open Data Policy of the United States</a>\non GitHub! The <a href=\"http://project-open-data.github.io/policy-memo/\">Presidential Memorandum</a> calls for the creation of the aptly named <a href=\"http://github.com/project-open-data\">Project Open Data</a>,\nwith the goal of making government data \"available, discoverable, and usable – in a word, open\".</p>\n\n<p>Today's news marks the first time a government entity has published law as a living, collaborative document.\nWe're excited to see how the Open Data Policy evolves with the input of the community, and we hope this is just\nthe first of many.</p>\n\n<p>By choosing <a href=\"http://pages.github.com\">GitHub Pages</a>, government employees as well as citizens are empowered to\ncontinuously propose and discuss potential improvements, creating a living policy document to\n\"unlock the potential of government data\".</p>\n\n<p>Civic hackers and public servants at all levels are using GitHub to collaborate on everything from\n<a href=\"https://github.com/unitedstates/congress-legislators/blob/master/executive.yaml\">information about elected officials</a>\nto <a href=\"https://github.com/Chicago/osd-bike-routes\">the location of the nearest bike rack</a>. While adding a <img class=\"emoji\" title=\":+1:\" alt=\":+1:\" src=\"https://a248.e.akamai.net/assets.github.com/images/icons/emoji/+1.png\" height=\"20\" width=\"20\" align=\"absmiddle\"> to a pull request isn't going to replace ballots at your local polling place any time soon, one thing's for sure: the revolution is only just beginning. </p>\n\n<p><a href=\"https://f.cloud.github.com/assets/282759/483644/98b3c7d6-b8c3-11e2-882e-cb3a11a3de6e.jpeg\" target=\"_blank\"><img src=\"https://f.cloud.github.com/assets/282759/483644/98b3c7d6-b8c3-11e2-882e-cb3a11a3de6e.jpeg\" alt=\"687474703a2f2f6f63746f6465782e6769746875622e636f6d2f696d616765732f62617261636b746f6361742e6a7067\" style=\"max-width:100%;\"></a></p>\n </div>\n\n <div class=\"blog-feedback\">\n <h2 class=\"blog-feedback-header\">\n Have feedback? Let <a href=\"https://twitter.com/intent/tweet?text=@github%20&amp;related=github&amp;url=https://github.com/blog/1499-the-revolution-will-be-forked\" target=\"blank\">@github</a> know on Twitter.\n </h2>\n <p class=\"blog-feedback-description\">\n We make sure to read every mention on Twitter. If you find a bug or\n have any questions, send them to <a href=\"mailto:support@github.com\">support@github.com</a>.\n Every email is read by a real person.\n </p>\n </div>\n\n </div>\n </div>\n\n </div>\n\n\n </div>\n <div class=\"modal-backdrop\"></div>\n </div>\n <div id=\"footer-push\"></div><!-- hack for sticky footer -->\n </div><!-- end of wrapper - hack for sticky footer -->\n\n <!-- footer -->\n <div id=\"footer\">\n <div class=\"container clearfix\">\n\n <dl class=\"footer_nav\">\n <dt>GitHub</dt>\n <dd><a href=\"/about\">About us</a></dd>\n <dd><a href=\"/blog\">Blog</a></dd>\n <dd><a href=\"/contact\">Contact &amp; support</a></dd>\n <dd><a href=\"http://enterprise.github.com/\">GitHub Enterprise</a></dd>\n <dd><a href=\"http://status.github.com/\">Site status</a></dd>\n </dl>\n\n <dl class=\"footer_nav\">\n <dt>Applications</dt>\n <dd><a href=\"http://mac.github.com/\">GitHub for Mac</a></dd>\n <dd><a href=\"http://windows.github.com/\">GitHub for Windows</a></dd>\n <dd><a href=\"http://eclipse.github.com/\">GitHub for Eclipse</a></dd>\n <dd><a href=\"http://mobile.github.com/\">GitHub mobile apps</a></dd>\n </dl>\n\n <dl class=\"footer_nav\">\n <dt>Services</dt>\n <dd><a href=\"http://get.gaug.es/\">Gauges: Web analytics</a></dd>\n <dd><a href=\"http://speakerdeck.com\">Speaker Deck: Presentations</a></dd>\n <dd><a href=\"https://gist.github.com\">Gist: Code snippets</a></dd>\n <dd><a href=\"http://jobs.github.com/\">Job board</a></dd>\n </dl>\n\n <dl class=\"footer_nav\">\n <dt>Documentation</dt>\n <dd><a href=\"http://help.github.com/\">GitHub Help</a></dd>\n <dd><a href=\"http://developer.github.com/\">Developer API</a></dd>\n <dd><a href=\"http://github.github.com/github-flavored-markdown/\">GitHub Flavored Markdown</a></dd>\n <dd><a href=\"http://pages.github.com/\">GitHub Pages</a></dd>\n </dl>\n\n <dl class=\"footer_nav\">\n <dt>More</dt>\n <dd><a href=\"http://training.github.com/\">Training</a></dd>\n <dd><a href=\"/edu\">Students &amp; teachers</a></dd>\n <dd><a href=\"http://shop.github.com\">The Shop</a></dd>\n <dd><a href=\"/plans\">Plans &amp; pricing</a></dd>\n <dd><a href=\"http://octodex.github.com/\">The Octodex</a></dd>\n </dl>\n\n <hr class=\"footer-divider\">\n\n\n <p class=\"right\">&copy; 2013 <span title=\"0.01789s from fe1.rs.github.com\">GitHub</span>, Inc. All rights reserved.</p>\n <a class=\"left\" href=\"/\">\n <span class=\"mega-octicon octicon-mark-github\"></span>\n </a>\n <ul id=\"legal\">\n <li><a href=\"/site/terms\">Terms of Service</a></li>\n <li><a href=\"/site/privacy\">Privacy</a></li>\n <li><a href=\"/security\">Security</a></li>\n </ul>\n\n </div><!-- /.container -->\n\n</div><!-- /.#footer -->\n\n\n <div class=\"fullscreen-overlay js-fullscreen-overlay\" id=\"fullscreen_overlay\">\n <div class=\"fullscreen-container js-fullscreen-container\">\n <div class=\"textarea-wrap\">\n <textarea name=\"fullscreen-contents\" id=\"fullscreen-contents\" class=\"js-fullscreen-contents\" placeholder=\"\" data-suggester=\"fullscreen_suggester\"></textarea>\n </div>\n </div>\n <div class=\"fullscreen-sidebar\">\n <a href=\"#\" class=\"exit-fullscreen js-exit-fullscreen tooltipped leftwards\" title=\"Exit Zen Mode\">\n <span class=\"mega-octicon octicon-screen-normal\"></span>\n </a>\n <a href=\"#\" class=\"theme-switcher js-theme-switcher tooltipped leftwards\"\n title=\"Switch themes\">\n <span class=\"octicon octicon-color-mode\"></span>\n </a>\n </div>\n</div>\n\n\n\n <div id=\"ajax-error-message\" class=\"flash flash-error\">\n <span class=\"octicon octicon-alert\"></span>\n Something went wrong with that request. Please try again.\n <a href=\"#\" class=\"octicon octicon-remove-close ajax-error-dismiss\"></a>\n </div>\n\n \n <span id='server_response_time' data-time='0.01820' data-host='fe1'></span>\n \n </body>\n</html>\n"
],
[
"<!DOCTYPE html>\n<html b:version='2' class='v2' dir='ltr' xmlns='http://www.w3.org/1999/xhtml' xmlns:b='http://www.google.com/2005/gml/b' xmlns:data='http://www.google.com/2005/gml/data' xmlns:expr='http://www.google.com/2005/gml/expr'>\n<head>\n<meta content='IE=EmulateIE7' http-equiv='X-UA-Compatible'/>\n<meta content='width=1100' name='viewport'/>\n<meta content='text/html; charset=UTF-8' http-equiv='Content-Type'/>\n<script type=\"text/javascript\">(function() { var b=window,e=\"jstiming\",g=\"tick\";(function(){function d(a){this.t={};this.tick=function(a,d,c){c=void 0!=c?c:(new Date).getTime();this.t[a]=[c,d]};this[g](\"start\",null,a)}var a=new d;b.jstiming={Timer:d,load:a};if(b.performance&&b.performance.timing){var a=b.performance.timing,c=b[e].load,f=a.navigationStart,a=a.responseStart;0<f&&a>=f&&(c[g](\"_wtsrt\",void 0,f),c[g](\"wtsrt_\",\"_wtsrt\",a),c[g](\"tbsd_\",\"wtsrt_\"))}try{a=null,b.chrome&&b.chrome.csi&&(a=Math.floor(b.chrome.csi().pageT),c&&0<f&&(c[g](\"_tbnd\",void 0,b.chrome.csi().startE),\nc[g](\"tbnd_\",\"_tbnd\",f))),null==a&&b.gtbExternal&&(a=b.gtbExternal.pageT()),null==a&&b.external&&(a=b.external.pageT,c&&0<f&&(c[g](\"_tbnd\",void 0,b.external.startE),c[g](\"tbnd_\",\"_tbnd\",f))),a&&(b[e].pt=a)}catch(l){}})();b.tickAboveFold=function(d){var a=0;if(d.offsetParent){do a+=d.offsetTop;while(d=d.offsetParent)}d=a;750>=d&&b[e].load[g](\"aft\")};var h=!1;function k(){h||(h=!0,b[e].load[g](\"firstScrollTime\"))}b.addEventListener?b.addEventListener(\"scroll\",k,!1):b.attachEvent(\"onscroll\",k);\n })();</script>\n<meta content='true' name='MSSmartTagsPreventParsing'/>\n<meta content='blogger' name='generator'/>\n<link href='http://www.2ality.com/favicon.ico' rel='icon' type='image/x-icon'/>\n<link href='http://www.2ality.com/2011/06/ecmascript.html' rel='canonical'/>\n<link rel=\"alternate\" type=\"application/atom+xml\" title=\"&#9313;ality &#8211; JavaScript and more - Atom\" href=\"http://www.2ality.com/feeds/posts/default\" />\n<link rel=\"alternate\" type=\"application/rss+xml\" title=\"&#9313;ality &#8211; JavaScript and more - RSS\" href=\"http://www.2ality.com/feeds/posts/default?alt=rss\" />\n<link rel=\"service.post\" type=\"application/atom+xml\" title=\"&#9313;ality &#8211; JavaScript and more - Atom\" href=\"http://www.blogger.com/feeds/8100407163665430627/posts/default\" />\n<link rel=\"EditURI\" type=\"application/rsd+xml\" title=\"RSD\" href=\"http://www.blogger.com/rsd.g?blogID=8100407163665430627\" />\n<link rel=\"alternate\" type=\"application/atom+xml\" title=\"&#9313;ality &#8211; JavaScript and more - Atom\" href=\"http://www.2ality.com/feeds/4417229646097827778/comments/default\" />\n<!--[if IE]><script type=\"text/javascript\" src=\"//www.blogger.com/static/v1/jsbin/2963240465-ieretrofit.js\"></script>\n<![endif]-->\n<link href='https://plus.google.com/110516491705475800224' rel='publisher'/>\n<!--[if IE]> <script> (function() { var html5 = (\"abbr,article,aside,audio,canvas,datalist,details,\" + \"figure,footer,header,hgroup,mark,menu,meter,nav,output,\" + \"progress,section,time,video\").split(','); for (var i = 0; i < html5.length; i++) { document.createElement(html5[i]); } try { document.execCommand('BackgroundImageCache', false, true); } catch(e) {} })(); </script> <![endif]-->\n<title>ECMAScript: ES.next versus ES 6 versus ES Harmony</title>\n<link type='text/css' rel='stylesheet' href='//www.blogger.com/static/v1/widgets/2159474849-widget_css_2_bundle.css' />\n<link type=\"text/css\" rel=\"stylesheet\" href=\"//www.blogger.com/dyn-css/authorization.css?targetBlogID=8100407163665430627&zx=2e6f814a-8796-406f-8151-427ca35fa2f3\"/>\n<style id='page-skin-1' type='text/css'><!--\n/*\n-----------------------------------------------\nBlogger Template Style\nName: Watermark\nDesigner: Josh Peterson\nURL: www.noaesthetic.com\n----------------------------------------------- */\n/* Variable definitions\n====================\n<Variable name=\"keycolor\" description=\"Main Color\" type=\"color\" default=\"#c0a154\"/>\n<Group description=\"Page Text\" selector=\"body\">\n<Variable name=\"body.font\" description=\"Font\" type=\"font\"\ndefault=\"normal normal 14px Arial, Tahoma, Helvetica, FreeSans, sans-serif\"/>\n<Variable name=\"body.text.color\" description=\"Text Color\" type=\"color\" default=\"#333333\"/>\n</Group>\n<Group description=\"Backgrounds\" selector=\".main-inner\">\n<Variable name=\"body.background.color\" description=\"Outer Background\" type=\"color\" default=\"#c0a154\"/>\n<Variable name=\"footer.background.color\" description=\"Footer Background\" type=\"color\" default=\"transparent\"/>\n</Group>\n<Group description=\"Links\" selector=\".main-inner\">\n<Variable name=\"link.color\" description=\"Link Color\" type=\"color\" default=\"#cc3300\"/>\n<Variable name=\"link.visited.color\" description=\"Visited Color\" type=\"color\" default=\"#993322\"/>\n<Variable name=\"link.hover.color\" description=\"Hover Color\" type=\"color\" default=\"#ff3300\"/>\n</Group>\n<Group description=\"Blog Title\" selector=\".header h1\">\n<Variable name=\"header.font\" description=\"Title Font\" type=\"font\"\ndefault=\"normal normal 60px Georgia, Utopia, 'Palatino Linotype', Palatino, serif\"/>\n<Variable name=\"header.text.color\" description=\"Title Color\" type=\"color\" default=\"#ffffff\" />\n</Group>\n<Group description=\"Blog Description\" selector=\".header .description\">\n<Variable name=\"description.text.color\" description=\"Description Color\" type=\"color\"\ndefault=\"#997755\" />\n</Group>\n<Group description=\"Tabs Text\" selector=\".tabs-inner .widget li a\">\n<Variable name=\"tabs.font\" description=\"Font\" type=\"font\"\ndefault=\"normal normal 20px Georgia, Utopia, 'Palatino Linotype', Palatino, serif\"/>\n<Variable name=\"tabs.text.color\" description=\"Text Color\" type=\"color\" default=\"#cc3300\"/>\n<Variable name=\"tabs.selected.text.color\" description=\"Selected Color\" type=\"color\" default=\"#000000\"/>\n</Group>\n<Group description=\"Tabs Background\" selector=\".tabs-outer .PageList\">\n<Variable name=\"tabs.background.color\" description=\"Background Color\" type=\"color\" default=\"transparent\"/>\n<Variable name=\"tabs.separator.color\" description=\"Separator Color\" type=\"color\" default=\"#c0a154\"/>\n</Group>\n<Group description=\"Date Header\" selector=\"h2.date-header\">\n<Variable name=\"date.font\" description=\"Font\" type=\"font\"\ndefault=\"normal normal 16px Arial, Tahoma, Helvetica, FreeSans, sans-serif\"/>\n<Variable name=\"date.text.color\" description=\"Text Color\" type=\"color\" default=\"#997755\"/>\n</Group>\n<Group description=\"Post\" selector=\"h3.post-title, .comments h4\">\n<Variable name=\"post.title.font\" description=\"Title Font\" type=\"font\"\ndefault=\"normal normal 30px Georgia, Utopia, 'Palatino Linotype', Palatino, serif\"/>\n<Variable name=\"post.background.color\" description=\"Background Color\" type=\"color\" default=\"transparent\"/>\n<Variable name=\"post.border.color\" description=\"Border Color\" type=\"color\" default=\"#ccbb99\" />\n</Group>\n<Group description=\"Post Footer\" selector=\".post-footer\">\n<Variable name=\"post.footer.text.color\" description=\"Text Color\" type=\"color\" default=\"#997755\"/>\n</Group>\n<Group description=\"Gadgets\" selector=\"h2\">\n<Variable name=\"widget.title.font\" description=\"Title Font\" type=\"font\"\ndefault=\"normal normal 20px Georgia, Utopia, 'Palatino Linotype', Palatino, serif\"/>\n<Variable name=\"widget.title.text.color\" description=\"Title Color\" type=\"color\" default=\"#000000\"/>\n<Variable name=\"widget.alternate.text.color\" description=\"Alternate Color\" type=\"color\" default=\"#777777\"/>\n</Group>\n<Group description=\"Footer\" selector=\".footer-inner\">\n<Variable name=\"footer.text.color\" description=\"Text Color\" type=\"color\" default=\"#333333\"/>\n<Variable name=\"footer.widget.title.text.color\" description=\"Gadget Title Color\" type=\"color\" default=\"#000000\"/>\n</Group>\n<Group description=\"Footer Links\" selector=\".footer-inner\">\n<Variable name=\"footer.link.color\" description=\"Link Color\" type=\"color\" default=\"#cc3300\"/>\n<Variable name=\"footer.link.visited.color\" description=\"Visited Color\" type=\"color\" default=\"#993322\"/>\n<Variable name=\"footer.link.hover.color\" description=\"Hover Color\" type=\"color\" default=\"#ff3300\"/>\n</Group>\n<Variable name=\"body.background\" description=\"Body Background\" type=\"background\"\ncolor=\"#c0a154\" default=\"$(color) url(http://www.blogblog.com/1kt/watermark/body_background_birds.png) repeat scroll top left\"/>\n<Variable name=\"body.background.overlay\" description=\"Overlay Background\" type=\"background\" color=\"#c0a154\"\ndefault=\"transparent url(http://www.blogblog.com/1kt/watermark/body_overlay_birds.png) no-repeat scroll top right\"/>\n<Variable name=\"body.background.overlay.height\" description=\"Overlay Background Height\" type=\"length\" default=\"121px\"/>\n<Variable name=\"tabs.background.inner\" description=\"Tabs Background Inner\" type=\"url\" default=\"none\"/>\n<Variable name=\"tabs.background.outer\" description=\"Tabs Background Outer\" type=\"url\" default=\"none\"/>\n<Variable name=\"tabs.border.size\" description=\"Tabs Border Size\" type=\"length\" default=\"0\"/>\n<Variable name=\"tabs.shadow.spread\" description=\"Tabs Shadow Spread\" type=\"length\" default=\"0\"/>\n<Variable name=\"main.padding.top\" description=\"Main Padding Top\" type=\"length\" default=\"30px\"/>\n<Variable name=\"main.cap.height\" description=\"Main Cap Height\" type=\"length\" default=\"0\"/>\n<Variable name=\"main.cap.image\" description=\"Main Cap Image\" type=\"url\" default=\"none\"/>\n<Variable name=\"main.cap.overlay\" description=\"Main Cap Overlay\" type=\"url\" default=\"none\"/>\n<Variable name=\"main.background\" description=\"Main Background\" type=\"background\"\ndefault=\"transparent none no-repeat scroll top left\"/>\n<Variable name=\"post.background.url\" description=\"Post Background URL\" type=\"url\"\ndefault=\"url(http://www.blogblog.com/1kt/watermark/post_background_birds.png)\"/>\n<Variable name=\"post.border.size\" description=\"Post Border Size\" type=\"length\" default=\"1px\"/>\n<Variable name=\"post.border.style\" description=\"Post Border Style\" type=\"string\" default=\"dotted\"/>\n<Variable name=\"post.shadow.spread\" description=\"Post Shadow Spread\" type=\"length\" default=\"0\"/>\n<Variable name=\"footer.background\" description=\"Footer Background\" type=\"background\"\ncolor=\"#330000\" default=\"$(color) url(http://www.blogblog.com/1kt/watermark/body_background_navigator.png) repeat scroll top left\"/>\n<Variable name=\"startSide\" description=\"Side where text starts in blog language\" type=\"automatic\" default=\"left\"/>\n<Variable name=\"endSide\" description=\"Side where text ends in blog language\" type=\"automatic\" default=\"right\"/>\n*/\n/* Use this with templates/1ktemplate-*.html */\n/* Content\n----------------------------------------------- */\nbody, .body-fauxcolumn-outer {\nfont: normal normal 14px Arial, Tahoma, Helvetica, FreeSans, sans-serif;\ncolor: #333333;\nbackground: #c0a154 url(http://www.blogblog.com/1kt/watermark/body_background_birds.png) repeat scroll top left;\n}\nhtml body .content-outer {\nmin-width: 0;\nmax-width: 100%;\nwidth: 100%;\n}\n.content-outer {\nfont-size: 92%;\n}\na:link {\ntext-decoration:none;\ncolor: #cc3300;\n}\na:visited {\ntext-decoration:none;\ncolor: #993322;\n}\na:hover {\ntext-decoration:underline;\ncolor: #ff3300;\n}\n.body-fauxcolumns .cap-top {\nmargin-top: 30px;\nbackground: transparent url(http://www.blogblog.com/1kt/watermark/body_overlay_birds.png) no-repeat scroll top right;\nheight: 121px;\n}\n.content-inner {\npadding: 0;\n}\n/* Header\n----------------------------------------------- */\n.header-inner .Header .titlewrapper,\n.header-inner .Header .descriptionwrapper {\npadding-left: 20px;\npadding-right: 20px;\n}\n.Header h1 {\nfont: normal normal 60px Georgia, Utopia, 'Palatino Linotype', Palatino, serif;\ncolor: #ffffff;\ntext-shadow: 2px 2px rgba(0, 0, 0, .1);\n}\n.Header h1 a {\ncolor: #ffffff;\n}\n.Header .description {\nfont-size: 140%;\ncolor: #997755;\n}\n/* Tabs\n----------------------------------------------- */\n.tabs-inner .section {\nmargin: 0 20px;\n}\n.tabs-inner .PageList, .tabs-inner .LinkList, .tabs-inner .Labels {\nmargin-left: -11px;\nmargin-right: -11px;\nbackground-color: transparent;\nborder-top: 0 solid #ffffff;\nborder-bottom: 0 solid #ffffff;\n-moz-box-shadow: 0 0 0 rgba(0, 0, 0, .3);\n-webkit-box-shadow: 0 0 0 rgba(0, 0, 0, .3);\n-goog-ms-box-shadow: 0 0 0 rgba(0, 0, 0, .3);\nbox-shadow: 0 0 0 rgba(0, 0, 0, .3);\n}\n.tabs-inner .PageList .widget-content,\n.tabs-inner .LinkList .widget-content,\n.tabs-inner .Labels .widget-content {\nmargin: -3px -11px;\nbackground: transparent none no-repeat scroll right;\n}\n.tabs-inner .widget ul {\npadding: 2px 25px;\nmax-height: 34px;\nbackground: transparent none no-repeat scroll left;\n}\n.tabs-inner .widget li {\nborder: none;\n}\n.tabs-inner .widget li a {\ndisplay: inline-block;\npadding: .25em 1em;\nfont: normal normal 20px Georgia, Utopia, 'Palatino Linotype', Palatino, serif;\ncolor: #cc3300;\nborder-right: 1px solid #c0a154;\n}\n.tabs-inner .widget li:first-child a {\nborder-left: 1px solid #c0a154;\n}\n.tabs-inner .widget li.selected a, .tabs-inner .widget li a:hover {\ncolor: #000000;\n}\n/* Headings\n----------------------------------------------- */\nh2 {\nfont: normal normal 20px Georgia, Utopia, 'Palatino Linotype', Palatino, serif;\ncolor: #000000;\nmargin: 0 0 .5em;\n}\nh2.date-header {\nfont: normal normal 16px Arial, Tahoma, Helvetica, FreeSans, sans-serif;\ncolor: #997755;\n}\n/* Main\n----------------------------------------------- */\n.main-inner .column-center-inner,\n.main-inner .column-left-inner,\n.main-inner .column-right-inner {\npadding: 0 5px;\n}\n.main-outer {\nmargin-top: 0;\nbackground: transparent none no-repeat scroll top left;\n}\n.main-inner {\npadding-top: 30px;\n}\n.main-cap-top {\nposition: relative;\n}\n.main-cap-top .cap-right {\nposition: absolute;\nheight: 0;\nwidth: 100%;\nbottom: 0;\nbackground: transparent none repeat-x scroll bottom center;\n}\n.main-cap-top .cap-left {\nposition: absolute;\nheight: 245px;\nwidth: 280px;\nright: 0;\nbottom: 0;\nbackground: transparent none no-repeat scroll bottom left;\n}\n/* Posts\n----------------------------------------------- */\n.post-outer {\npadding: 15px 20px;\nmargin: 0 0 25px;\nbackground: transparent url(http://www.blogblog.com/1kt/watermark/post_background_birds.png) repeat scroll top left;\n_background-image: none;\nborder: dotted 1px #ccbb99;\n-moz-box-shadow: 0 0 0 rgba(0, 0, 0, .1);\n-webkit-box-shadow: 0 0 0 rgba(0, 0, 0, .1);\n-goog-ms-box-shadow: 0 0 0 rgba(0, 0, 0, .1);\nbox-shadow: 0 0 0 rgba(0, 0, 0, .1);\n}\nh3.post-title {\nfont: normal normal 30px Georgia, Utopia, 'Palatino Linotype', Palatino, serif;\nmargin: 0;\n}\n.comments h4 {\nfont: normal normal 30px Georgia, Utopia, 'Palatino Linotype', Palatino, serif;\nmargin: 1em 0 0;\n}\n.post-body {\nfont-size: 105%;\nline-height: 1.5;\nposition: relative;\n}\n.post-header {\nmargin: 0 0 1em;\ncolor: #997755;\n}\n.post-footer {\nmargin: 10px 0 0;\npadding: 10px 0 0;\ncolor: #997755;\nborder-top: dashed 1px #777777;\n}\n#blog-pager {\nfont-size: 140%\n}\n#comments .comment-author {\npadding-top: 1.5em;\nborder-top: dashed 1px #777777;\nbackground-position: 0 1.5em;\n}\n#comments .comment-author:first-child {\npadding-top: 0;\nborder-top: none;\n}\n.avatar-image-container {\nmargin: .2em 0 0;\n}\n/* Widgets\n----------------------------------------------- */\n.widget ul, .widget #ArchiveList ul.flat {\npadding: 0;\nlist-style: none;\n}\n.widget ul li, .widget #ArchiveList ul.flat li {\npadding: .35em 0;\ntext-indent: 0;\nborder-top: dashed 1px #777777;\n}\n.widget ul li:first-child, .widget #ArchiveList ul.flat li:first-child {\nborder-top: none;\n}\n.widget .post-body ul {\nlist-style: disc;\n}\n.widget .post-body ul li {\nborder: none;\n}\n.widget .zippy {\ncolor: #777777;\n}\n.post-body img, .post-body .tr-caption-container, .Profile img, .Image img,\n.BlogList .item-thumbnail img {\npadding: 5px;\nbackground: #fff;\n-moz-box-shadow: 1px 1px 5px rgba(0, 0, 0, .5);\n-webkit-box-shadow: 1px 1px 5px rgba(0, 0, 0, .5);\n-goog-ms-box-shadow: 1px 1px 5px rgba(0, 0, 0, .5);\nbox-shadow: 1px 1px 5px rgba(0, 0, 0, .5);\n}\n.post-body img, .post-body .tr-caption-container {\npadding: 8px;\n}\n.post-body .tr-caption-container {\ncolor: #333333;\n}\n.post-body .tr-caption-container img {\npadding: 0;\nbackground: transparent;\nborder: none;\n-moz-box-shadow: 0 0 0 rgba(0, 0, 0, .1);\n-webkit-box-shadow: 0 0 0 rgba(0, 0, 0, .1);\n-goog-ms-box-shadow: 0 0 0 rgba(0, 0, 0, .1);\nbox-shadow: 0 0 0 rgba(0, 0, 0, .1);\n}\n/* Footer\n----------------------------------------------- */\n.footer-outer {\ncolor:#ccbb99;\nbackground: #330000 url(http://www.blogblog.com/1kt/watermark/body_background_navigator.png) repeat scroll top left;\n}\n.footer-outer a {\ncolor: #ff7755;\n}\n.footer-outer a:visited {\ncolor: #dd5533;\n}\n.footer-outer a:hover {\ncolor: #ff9977;\n}\n.footer-outer .widget h2 {\ncolor: #eeddbb;\n}\n/* Mobile\n----------------------------------------------- */\nhtml .mobile .mobile-date-outer {\nborder-bottom: none;\nbackground: transparent url(http://www.blogblog.com/1kt/watermark/post_background_birds.png) repeat scroll top left;\n_background-image: none;\nmargin-bottom: 10px;\n}\n.mobile .main-cap-top {\nz-index: -1;\n}\n.mobile .content-outer {\nfont-size: 100%;\n}\n.mobile .post-outer {\npadding: 10px;\n}\n.mobile .main-cap-top .cap-left {\nbackground: transparent none no-repeat scroll bottom left;\n}\n.mobile .body-fauxcolumns .cap-top {\nmargin: 0;\n}\n.mobile-link-button {\nbackground: transparent url(http://www.blogblog.com/1kt/watermark/post_background_birds.png) repeat scroll top left;\n}\n.mobile-link-button a:link, .mobile-link-button a:visited {\ncolor: #cc3300;\n}\n.mobile-index-date .date-header {\ncolor: #997755;\n}\n.mobile-index-contents {\ncolor: #333333;\n}\n\n--></style>\n<style id='template-skin-1' type='text/css'><!--\nbody {\nmin-width: 1000px;\n}\n.content-outer, .content-fauxcolumn-outer, .region-inner {\nmin-width: 1000px;\nmax-width: 1000px;\n_width: 1000px;\n}\n.main-inner .columns {\npadding-left: 180px;\npadding-right: 180px;\n}\n.main-inner .fauxcolumn-center-outer {\nleft: 180px;\nright: 180px;\n/* IE6 does not respect left and right together */\n_width: expression(this.parentNode.offsetWidth -\nparseInt(\"180px\") -\nparseInt(\"180px\") + 'px');\n}\n.main-inner .fauxcolumn-left-outer {\nwidth: 180px;\n}\n.main-inner .fauxcolumn-right-outer {\nwidth: 180px;\n}\n.main-inner .column-left-outer {\nwidth: 180px;\nright: 100%;\nmargin-left: -180px;\n}\n.main-inner .column-right-outer {\nwidth: 180px;\nmargin-right: -180px;\n}\n#layout {\nmin-width: 0;\n}\n#layout .content-outer {\nmin-width: 0;\nwidth: 800px;\n}\n#layout .region-inner {\nmin-width: 0;\nwidth: auto;\n}\n--></style>\n<!--BEGIN: rauschma-->\n<!-- Must be valid XML! -->\n<!--automatic attribution via Twitter bookmarklet-->\n<link href='http://twitter.com/rauschma' rel='me'/>\n<style>\n@import \"http://dl.2ality.com/prettify/prettify.css\";\n\n/****** Fix blogger CSS *****/\n\n.entry-content h3 {\n margin-top: 1em;\n margin-bottom: 0.4em;\n}\n.entry-content h4 {\n margin-top: 0.5em;\n margin-bottom: 0.2em;\n}\n/* Normally, images inside a post have a shadow, padding and a white background. This class lets you switch that off. */\nimg.noshadow {\n padding: 0;\n\n background: transparent;\n border: none;\n\n -webkit-box-shadow: none;\n -moz-box-shadow: none;\n box-shadow: none;\n}\n\n/****** Improve CSS *****/\n\n.entry-content li {\n margin-top: 0.5em;\n}\n\n/* prettify.js uses ol to number lines => no additional space */\nol.linenums li {\n margin-top: 0em;\n}\n\n/****** Tables *****/\n\ntd {\n vertical-align: text-top;\n}\ntable.framed {\n border-collapse: collapse;\n}\ntable.framed td {\n border: thin solid black;\n padding-top: 0.3em;\n padding-bottom: 0.3em;\n padding-left: 0.6em;\n padding-right: 0.6em;\n}\ntable.framed td.right {\n text-align: right;\n}\ntable.framed tr.doubleline {\n border-bottom: double;\n}\n\n/****** Counters for headings *****/\n/* Avoid prefixed numbers via the class \"nocount\" */\n\n body {\n counter-reset: section;\n }\n h1 {\n counter-reset: section;\n }\n /* Class countheads switches on counting.\n It can be put on the first h3. */\n .countheads~h3:before, h3.countheads:before {\n content: counter(section) \".\\0000a0\\0000a0\";\n counter-increment: section;\n }\n h3.nocount:before {\n content: none;\n counter-increment: none;\n }\n h3 {\n counter-reset: subsection;\n }\n .countheads~h4:before {\n content: counter(section) \".\" counter(subsection) \".\\0000a0\\0000a0\";\n counter-increment: subsection;\n }\n h4.nocount:before {\n content: none;\n counter-increment: none;\n }\n\n/****** References *****/\n\n li:target {\n background-color: #BFEFFF;\n }\n ol#references {\n list-style:none;\n \tmargin-left: 0;\n \tpadding-left: 1.8em;\n \ttext-indent: -1.8em;\n\n counter-reset: refcounter;\n }\n\n ol#references > li:before {\n content: \"[\" counter(refcounter) \"] \";\n counter-increment: refcounter;\n }\n\n/****** AdPacks.com *****/\n\n body .one .bsa_it_ad { background: transparent; border: none; font-family: inherit; padding: 0 15px 0 10px; margin: 0; text-align: right; }\n body .one .bsa_it_ad:hover img { -moz-box-shadow: 0 0 3px #000; -webkit-box-shadow: 0 0 3px #000; box-shadow: 0 0 3px #000; }\n body .one .bsa_it_ad .bsa_it_i { display: block; padding: 0; float: none; margin: 0 0 5px; }\n body .one .bsa_it_ad .bsa_it_i img { padding: 0; border: none; }\n body .one .bsa_it_ad .bsa_it_t { padding: 6px 0; }\n body .one .bsa_it_ad .bsa_it_d { padding: 0; font-size: 12px; color: #333; }\n body .one .bsa_it_p { display: none; }\n body #bsap_aplink, body #bsap_aplink:hover { display: block; font-size: 10px; margin: 12px 15px 0; text-align: right; }\n\n</style>\n<!--END: rauschma-->\n<script type=\"text/javascript\">\nif (window.jstiming) window.jstiming.load.tick('headEnd');\n</script></head>\n<body class='loading'>\n<div class='navbar section' id='navbar'>\n</div>\n<div class='body-fauxcolumns'>\n<div class='fauxcolumn-outer body-fauxcolumn-outer'>\n<div class='cap-top'>\n<div class='cap-left'></div>\n<div class='cap-right'></div>\n</div>\n<div class='fauxborder-left'>\n<div class='fauxborder-right'></div>\n<div class='fauxcolumn-inner'>\n</div>\n</div>\n<div class='cap-bottom'>\n<div class='cap-left'></div>\n<div class='cap-right'></div>\n</div>\n</div>\n</div>\n<div class='content'>\n<div class='content-fauxcolumns'>\n<div class='fauxcolumn-outer content-fauxcolumn-outer'>\n<div class='cap-top'>\n<div class='cap-left'></div>\n<div class='cap-right'></div>\n</div>\n<div class='fauxborder-left'>\n<div class='fauxborder-right'></div>\n<div class='fauxcolumn-inner'>\n</div>\n</div>\n<div class='cap-bottom'>\n<div class='cap-left'></div>\n<div class='cap-right'></div>\n</div>\n</div>\n</div>\n<div class='content-outer'>\n<div class='content-cap-top cap-top'>\n<div class='cap-left'></div>\n<div class='cap-right'></div>\n</div>\n<div class='fauxborder-left content-fauxborder-left'>\n<div class='fauxborder-right content-fauxborder-right'></div>\n<div class='content-inner'>\n<header>\n<div class='header-outer'>\n<div class='header-cap-top cap-top'>\n<div class='cap-left'></div>\n<div class='cap-right'></div>\n</div>\n<div class='fauxborder-left header-fauxborder-left'>\n<div class='fauxborder-right header-fauxborder-right'></div>\n<div class='region-inner header-inner'>\n<div class='header section' id='header'><div class='widget Header' id='Header1'>\n<div id='header-inner'>\n<div class='titlewrapper'>\n<h1 class='title'>\n<a href='http://www.2ality.com/'>&#9313;ality &#8211; JavaScript and more</a>\n</h1>\n</div>\n<div class='descriptionwrapper'>\n<p class='description'><span>\n</span></p>\n</div>\n</div>\n</div></div>\n</div>\n</div>\n<div class='header-cap-bottom cap-bottom'>\n<div class='cap-left'></div>\n<div class='cap-right'></div>\n</div>\n</div>\n</header>\n<div class='tabs-outer'>\n<div class='tabs-cap-top cap-top'>\n<div class='cap-left'></div>\n<div class='cap-right'></div>\n</div>\n<div class='fauxborder-left tabs-fauxborder-left'>\n<div class='fauxborder-right tabs-fauxborder-right'></div>\n<div class='region-inner tabs-inner'>\n<div class='tabs section' id='crosscol'><div class='widget PageList' id='PageList1'>\n<h2>Pages</h2>\n<div class='widget-content'>\n<ul>\n<li><a href='http://www.2ality.com/'>Home</a></li>\n<li><a href='http://www.2ality.com/p/about.html'>About</a></li>\n<li><a href='http://www.2ality.com/p/best.html'>Best of</a></li>\n<li><a href='http://www.2ality.com/p/subscribe.html'>Subscribe</a></li>\n<li><a href='http://www.2ality.com/p/advertise.html'>Advertise</a></li>\n</ul>\n<div class='clear'></div>\n<span class='widget-item-control'>\n<span class='item-control blog-admin'>\n<a class='quickedit' href='//www.blogger.com/rearrange?blogID=8100407163665430627&widgetType=PageList&widgetId=PageList1&action=editWidget&sectionId=crosscol' onclick='return _WidgetManager._PopupConfig(document.getElementById(\"PageList1\"));' target='configPageList1' title='Edit'>\n<img alt='' height='18' src='http://img1.blogblog.com/img/icon18_wrench_allbkg.png' width='18'/>\n</a>\n</span>\n</span>\n<div class='clear'></div>\n</div>\n</div></div>\n<div class='tabs section' id='crosscol-overflow'><div class='widget HTML' id='HTML4'>\n<div class='widget-content'>\nUpcoming: my <a href=\"http://www.jsguide.org/\">programmer&#8217;s guide to JavaScript</a> (free online).\n</div>\n<div class='clear'></div>\n<span class='widget-item-control'>\n<span class='item-control blog-admin'>\n<a class='quickedit' href='//www.blogger.com/rearrange?blogID=8100407163665430627&widgetType=HTML&widgetId=HTML4&action=editWidget&sectionId=crosscol-overflow' onclick='return _WidgetManager._PopupConfig(document.getElementById(\"HTML4\"));' target='configHTML4' title='Edit'>\n<img alt='' height='18' src='http://img1.blogblog.com/img/icon18_wrench_allbkg.png' width='18'/>\n</a>\n</span>\n</span>\n<div class='clear'></div>\n</div></div>\n</div>\n</div>\n<div class='tabs-cap-bottom cap-bottom'>\n<div class='cap-left'></div>\n<div class='cap-right'></div>\n</div>\n</div>\n<div class='main-outer'>\n<div class='main-cap-top cap-top'>\n<div class='cap-left'></div>\n<div class='cap-right'></div>\n</div>\n<div class='fauxborder-left main-fauxborder-left'>\n<div class='fauxborder-right main-fauxborder-right'></div>\n<div class='region-inner main-inner'>\n<div class='columns fauxcolumns'>\n<div class='fauxcolumn-outer fauxcolumn-center-outer'>\n<div class='cap-top'>\n<div class='cap-left'></div>\n<div class='cap-right'></div>\n</div>\n<div class='fauxborder-left'>\n<div class='fauxborder-right'></div>\n<div class='fauxcolumn-inner'>\n</div>\n</div>\n<div class='cap-bottom'>\n<div class='cap-left'></div>\n<div class='cap-right'></div>\n</div>\n</div>\n<div class='fauxcolumn-outer fauxcolumn-left-outer'>\n<div class='cap-top'>\n<div class='cap-left'></div>\n<div class='cap-right'></div>\n</div>\n<div class='fauxborder-left'>\n<div class='fauxborder-right'></div>\n<div class='fauxcolumn-inner'>\n</div>\n</div>\n<div class='cap-bottom'>\n<div class='cap-left'></div>\n<div class='cap-right'></div>\n</div>\n</div>\n<div class='fauxcolumn-outer fauxcolumn-right-outer'>\n<div class='cap-top'>\n<div class='cap-left'></div>\n<div class='cap-right'></div>\n</div>\n<div class='fauxborder-left'>\n<div class='fauxborder-right'></div>\n<div class='fauxcolumn-inner'>\n</div>\n</div>\n<div class='cap-bottom'>\n<div class='cap-left'></div>\n<div class='cap-right'></div>\n</div>\n</div>\n<!-- corrects IE6 width calculation -->\n<div class='columns-inner'>\n<div class='column-center-outer'>\n<div class='column-center-inner'>\n<div class='main section' id='main'><div class='widget Blog' id='Blog1'>\n<script src=''></script>\n<div class='blog-posts hfeed'>\n<!-- google_ad_section_start(name=default) -->\n\n <div class=\"date-outer\">\n \n<h2 class='date-header'><span>2011-06-27</span></h2>\n\n <div class=\"date-posts\">\n \n<div class='post-outer'>\n<div class='post hentry'>\n<a name='4417229646097827778'></a>\n<h3 class='post-title entry-title'>\nECMAScript: ES.next versus ES 6 versus ES Harmony\n</h3>\n<div class='post-header'>\n<div class='post-header-line-1'><span class='post-labels'>\nLabels:\n<a href='http://www.2ality.com/search/label/dev' rel='tag'>dev</a>,\n<a href='http://www.2ality.com/search/label/esnext' rel='tag'>esnext</a>,\n<a href='http://www.2ality.com/search/label/javascript' rel='tag'>javascript</a>,\n<a href='http://www.2ality.com/search/label/jslang' rel='tag'>jslang</a>\n</span>\n</div>\n</div>\n<div class='post-body entry-content'>\n<b>Update 2011-04-18:</b> Rewrote this blog post, renamed it from &#8220;A brief history of ECMAScript versions (including Harmony and ES.next)&#8221;.\n<p>\nThis blog post explains the difference between JavaScript and ECMAScript. And the differences between ECMAScript.next, ECMAScript 6 and ECMAScript Harmony.\n<a name='more'></a>\n\n<h3 class=\"countheads\">A little ECMAScript glossary</h3>\n\nYou should know the following terms related to the standardization of JavaScript.\n<ul>\n <li><b>ECMAScript:</b> Sun (now Oracle) had a trademark on the name &#8220;Java&#8221; and therefore also on the name &#8220;JavaScript&#8221;. That led to Microsoft calling its JavaScript dialect &#8220;JScript&#8221;. Thus, when it came to standardizing the language, a different name had to be used. &#8220;ECMAScript&#8221; was chosen, because the corresponding standard is hosted by Ecma International (see below). Usually, the terms &#8220;ECMAScript&#8221; and &#8220;JavaScript&#8221; are interchangeable. If JavaScript means &#8220;ECMAScript as implemented by Mozilla and others&#8221; then ECMAScript is the standard and JavaScript its implementation. The term &#8220;ECMAScript&#8221; is also used to describe language versions (such as ECMAScript 5).</li>\n <li><b>ECMA-262:</b> The <a href=\"http://en.wikipedia.org/wiki/Ecma\">Ecma International</a> (a standards organization) has created the ECMA-262 standard which is the official specification of the ECMAScript language.</li>\n <li><b>ECMAScript 5:</b> If one talks about ECMAScript 5, one means the 5th edition of ECMA-262, the current edition of this standard.</li>\n <li><b>Ecma&#8217;s <a href=\"http://www.ecma-international.org/memento/TC39.htm\">Technical Committee 39</a> (TC39):</b> is the group of people (Brendan Eich and others) who develop the ECMA-262 standard.</li>\n</ul>\n\n<h3>History of ECMAScript versions</h3>\n\nThe following are the most currently relevant chapters in ECMAScript&#8217;s history:\n<ul>\n <li><b>ECMAScript 3 (December 1999).</b> This is the version of ECMAScript that most browsers support today. It introduced many features that have become an inherent part of the language:\n <blockquote>\n [...] regular expressions, better string handling, new control statements, try/catch exception handling, tighter definition of errors, formatting for numeric output and other enhancements. <a class=\"ptr\">[1]</a>\n </blockquote>\n </li>\n <li><b>ECMAScript 4 (abandoned July 2008).</b> ECMAScript 4 was developed as the next version of JavaScript, with a prototype written in ML. However, TC39 could not agree on its feature set. To prevent an impasse, the committee met at the end of July 2008 and came to an accord, summarized in four points <a class=\"ptr\">[2]</a>:\n <ol>\n <li>Develop an incremental update of ECMAScript (which became ECMAScript 5).</li>\n <li>Develop a major new release, which was to be more modest than ECMAScript 4, but much larger in scope than the version after ECMAScript 3. This version has been code-named <i>Harmony</i>, due to the nature of the meeting in which it was conceived.</li>\n <li>Features from ECMAScript 4 that would be dropped: packages, namespaces, early binding.</li>\n <li>Other ideas were to be developed in consensus with all of TC39.</li>\n </ol>\n Thus: The ECMAScript 4 developers agreed to make Harmony less radical than ECMAScript 4, the rest of TC39 agreed to keep moving things forward.\n </li>\n <li><b>ECMAScript 5 (December 2009).</b> This version brings several enhancements to the standard library and even updated language semantics via a <i>strict mode</i>. <a class=\"ptr\">[3]</a></li>\n <li><b>ECMAScript.next (planned for 2013).</b> It quickly became apparent that the plans for Harmony were too ambitious, so its features were split into two groups: Group one are features that are considered for the next version after ECMAScript 5. This version has the code name ECMAScript.next and will probably become ECMAScript 6. Group two are Harmony features that are not considered ready or high-priority enough for ECMAScript.next. Those will still make it into ECMAScript, e.g. as part of ECMAScript.next.next. The current goal is to have ECMAScript.next finished by 2013, with parts of it making it into web browsers (especially Firefox) before then.</li>\n</ul>\n\n<h3>Summary</h3>\n\n<b>ECMAScript versus JavaScript.</b> ECMAScript is the language standard. JavaScript is one implementation, Microsoft&#8217;s JScript is another one.\n\n<p>\n<b>Upcoming versions of ECMAScript:</b>\n<ul>\n <li>ECMAScript.next is the code name of the next version of ECMAScript. Using that term implies that one is discussing features that may or may not be added to the final standard.\n </li>\n <li>ECMAScript 6 is the actual (final) name of ECMAScript.next. Using that term implies that one is talking about features that will definitely be in the standard.\n </li>\n <li>ECMAScript Harmony is a superset of ECMAScript.next and means &#8220;features coming up after ECMAScript 5&#8221;. Those features may be in ECMAScript.next, in ECMAScript.next.next or in even later versions.\n </li>\n</ul>\n\n<h3>References</h3>\n\n<ol id=\"references\">\n <li><a href='http://en.wikipedia.org/wiki/Ecmascript'>ECMAScript - Wikipedia, the free encyclopedia</a></li>\n <li><a href='https://mail.mozilla.org/pipermail/es-discuss/2008-August/003400.html'>ECMAScript Harmony</a> (archived email)</li>\n <li><a href='http://www.2ality.com/2010/12/whats-new-in-ecmascript-5.html'>What&#8217;s new in ECMAScript 5</a></li>\n <li><a href='http://www.2ality.com/2011/03/javascript-how-it-all-began.html'>JavaScript: how it all began</a></li>\n <li><a href=\"http://www.2ality.com/search/label/esnext\">Posts on ECMAScript.next</a>\n <ul>\n <li>Best overview of planned features: &#8220;<a href='http://www.2ality.com/2011/06/esnext-txjs.html'>ECMAScript.next: the &#8216;TXJS&#8217; update by Eich</a>&#8221;</li>\n </ul>\n </li>\n</ol>\n<div style='clear: both;'></div>\n</div>\n<div class='post-footer'>\n<div class='post-footer-line post-footer-line-1'><div class='post-share-buttons'>\n<a class='goog-inline-block share-button sb-email' href='http://www.blogger.com/share-post.g?blogID=8100407163665430627&postID=4417229646097827778&target=email' target='_blank' title='Email This'><span class='share-button-link-text'>Email This</span></a><a class='goog-inline-block share-button sb-blog' href='http://www.blogger.com/share-post.g?blogID=8100407163665430627&postID=4417229646097827778&target=blog' onclick='window.open(this.href, \"_blank\", \"height=270,width=475\"); return false;' target='_blank' title='BlogThis!'><span class='share-button-link-text'>BlogThis!</span></a><a class='goog-inline-block share-button sb-twitter' href='http://www.blogger.com/share-post.g?blogID=8100407163665430627&postID=4417229646097827778&target=twitter' target='_blank' title='Share to Twitter'><span class='share-button-link-text'>Share to Twitter</span></a><a class='goog-inline-block share-button sb-facebook' href='http://www.blogger.com/share-post.g?blogID=8100407163665430627&postID=4417229646097827778&target=facebook' onclick='window.open(this.href, \"_blank\", \"height=430,width=640\"); return false;' target='_blank' title='Share to Facebook'><span class='share-button-link-text'>Share to Facebook</span></a><div class='goog-inline-block dummy-container'><g:plusone source='blogger:blog:plusone' href='http://www.2ality.com/2011/06/ecmascript.html' size='medium' width='300' annotation='inline'/></div>\n</div>\n<span class='post-comment-link'>\n</span>\n<span class='post-backlinks post-comment-link'>\n</span>\n<span class='post-icons'>\n<span class='item-control blog-admin pid-88863769'>\n<a href='http://www.blogger.com/post-edit.g?blogID=8100407163665430627&postID=4417229646097827778&from=pencil' title='Edit Post'>\n<img alt='' class='icon-action' height='18' src='http://img2.blogblog.com/img/icon18_edit_allbkg.gif' width='18'/>\n</a>\n</span>\n</span>\n</div>\n<div class='post-footer-line post-footer-line-2'></div>\n<div class='post-footer-line post-footer-line-3'></div>\n</div>\n</div>\n<div class='comments' id='comments'>\n<a name='comments'></a>\n<h4>3 comments:</h4>\n<div id='Blog1_comments-block-wrapper'>\n<dl class='avatar-comment-indent' id='comments-block'>\n<dt class='comment-author ' id='c8753485404480515740'>\n<a name='c8753485404480515740'></a>\n<div class=\"avatar-image-container avatar-stock\"><span dir=\"ltr\"><img src=\"http://img1.blogblog.com/img/blank.gif\" width=\"16\" height=\"16\" alt=\"\" title=\"Allen Wirfs-Brock\">\n\n</span></div>\nAllen Wirfs-Brock\nsaid...\n</dt>\n<dd class='comment-body' id='Blog1_cmt-8753485404480515740'>\n<p>\nA few clarify notes:<br /><br />The members of Ecma International and TC-39 are actually organizations such as Mozilla and Microsoft.&#160; Individual who attend meetings are doing so as representatives of those organizations<br /><br />Work on &quot;ES4&quot;&#160; started even before completion of ES3.&#160; It was a on-again/off-again effort and there were fairly complete &quot;ES4&quot; drafts that predated the work that was abandoned in 2008.<br /><br />The current Ecma-262 standard is actually Edition 5.1 which was published in June 2011.&#160; ES5.1 makes editorial and technical corrections to ES5 but adds no new features.&#160; The ES5.1 specification is also published as an ISO standard which is known as ISO/IEC 16262:2011.<br /><br />Microsoft seems to be de-emphasizing the JScript name and&#160; informally seems to call the language JavaScript just like everybody else.<br /><br />Whether or not ECMAScript 6 is the actual final name of the next major revisions of ECMAScript remains to be seen (note ES 4 history). We are far enough along in drafting that specification but that ES 6 seems like a safe bet nothing is sure until it is published.<br /><br />Allen Wirfs-Brock<br />Mozilla<br />Ecma-262 Project Editor\n</p>\n</dd>\n<dd class='comment-footer'>\n<span class='comment-timestamp'>\n<a href='http://www.2ality.com/2011/06/ecmascript.html?showComment=1334776401466#c8753485404480515740' title='comment permalink'>\nApril 18, 2012 at 9:13 PM\n</a>\n<span class='item-control blog-admin pid-1189784770'>\n<a class='comment-delete' href='http://www.blogger.com/delete-comment.g?blogID=8100407163665430627&postID=8753485404480515740' title='Delete Comment'>\n<img src='//www.blogger.com/img/icon_delete13.gif'/>\n</a>\n</span>\n</span>\n</dd>\n<dt class='comment-author ' id='c882028314562393419'>\n<a name='c882028314562393419'></a>\n<div class=\"avatar-image-container avatar-stock\"><span dir=\"ltr\"><a href=\"http://rauschma.de/\" rel=\"nofollow\" onclick=\"\"><img src=\"http://img1.blogblog.com/img/blank.gif\" width=\"16\" height=\"16\" alt=\"\" title=\"Axel Rauschmayer\">\n\n</a></span></div>\n<a href='http://rauschma.de/' rel='nofollow'>Axel Rauschmayer</a>\nsaid...\n</dt>\n<dd class='comment-body' id='Blog1_cmt-882028314562393419'>\n<p>\n&#160;Thanks Allen, much appreciated! Will work these into the post, eventually.\n</p>\n</dd>\n<dd class='comment-footer'>\n<span class='comment-timestamp'>\n<a href='http://www.2ality.com/2011/06/ecmascript.html?showComment=1334778178226#c882028314562393419' title='comment permalink'>\nApril 18, 2012 at 9:42 PM\n</a>\n<span class='item-control blog-admin pid-1189784770'>\n<a class='comment-delete' href='http://www.blogger.com/delete-comment.g?blogID=8100407163665430627&postID=882028314562393419' title='Delete Comment'>\n<img src='//www.blogger.com/img/icon_delete13.gif'/>\n</a>\n</span>\n</span>\n</dd>\n<dt class='comment-author ' id='c6090565456487722744'>\n<a name='c6090565456487722744'></a>\n<div class=\"avatar-image-container avatar-stock\"><span dir=\"ltr\"><img src=\"http://img1.blogblog.com/img/blank.gif\" width=\"16\" height=\"16\" alt=\"\" title=\"Aaronfrost\">\n\n</span></div>\nAaronfrost\nsaid...\n</dt>\n<dd class='comment-body' id='Blog1_cmt-6090565456487722744'>\n<p>\nAxel, just a great explanation here. Thank you! I might come back to you one day to cite you on a few of these pieces. Thank you!\n</p>\n</dd>\n<dd class='comment-footer'>\n<span class='comment-timestamp'>\n<a href='http://www.2ality.com/2011/06/ecmascript.html?showComment=1334949776375#c6090565456487722744' title='comment permalink'>\nApril 20, 2012 at 9:22 PM\n</a>\n<span class='item-control blog-admin pid-1189784770'>\n<a class='comment-delete' href='http://www.blogger.com/delete-comment.g?blogID=8100407163665430627&postID=6090565456487722744' title='Delete Comment'>\n<img src='//www.blogger.com/img/icon_delete13.gif'/>\n</a>\n</span>\n</span>\n</dd>\n</dl>\n</div>\n<p class='comment-footer'>\n<a href='http://www.blogger.com/comment.g?blogID=8100407163665430627&amp;postID=4417229646097827778' onclick=''>Post a Comment</a>\n</p>\n<div id='backlinks-container'>\n<div id='Blog1_backlinks-container'>\n<a name='links'></a><h4>\n</h4>\n<p class='comment-footer'>\n<a class='comment-link' href='' id='Blog1_backlinks-create-link' target='_blank'>\n</a>\n</p>\n</div>\n</div>\n</div>\n</div>\n\n </div></div>\n \n<!-- google_ad_section_end -->\n</div>\n<div class='blog-pager' id='blog-pager'>\n<span id='blog-pager-newer-link'>\n<a class='blog-pager-newer-link' href='http://www.2ality.com/2011/07/google-plus.html' id='Blog1_blog-pager-newer-link' title='Newer Post'>Newer Post</a>\n</span>\n<span id='blog-pager-older-link'>\n<a class='blog-pager-older-link' href='http://www.2ality.com/2011/06/icloud.html' id='Blog1_blog-pager-older-link' title='Older Post'>Older Post</a>\n</span>\n<a class='home-link' href='http://www.2ality.com/'>Home</a>\n</div>\n<div class='clear'></div>\n<div class='post-feeds'>\n<div class='feed-links'>\nSubscribe to:\n<a class='feed-link' href='http://www.2ality.com/feeds/4417229646097827778/comments/default' target='_blank' type='application/atom+xml'>Post Comments (Atom)</a>\n</div>\n</div>\n</div><div class='widget HTML' id='HTML1'>\n<script type='text/javascript'>\n var disqus_shortname = '2ality';\n var disqus_blogger_current_url = \"http://www.2ality.com/2011/06/ecmascript.html\";\n if (!disqus_blogger_current_url.length) {\n disqus_blogger_current_url = \"http://www.2ality.com/2011/06/ecmascript.html\";\n }\n var disqus_blogger_homepage_url = \"http://www.2ality.com/\";\n var disqus_blogger_canonical_homepage_url = \"http://www.2ality.com/\";\n </script>\n<style type='text/css'>\n #comments {display:none;}\n </style>\n<script type='text/javascript'>\n (function() {\n var bloggerjs = document.createElement('script');\n bloggerjs.type = 'text/javascript';\n bloggerjs.async = true;\n bloggerjs.src = 'http://'+disqus_shortname+'.disqus.com/blogger_item.js';\n (document.getElementsByTagName('head')[0] || document.getElementsByTagName('body')[0]).appendChild(bloggerjs);\n })();\n </script>\n<style type='text/css'>\n .post-comment-link { visibility: hidden; }\n </style>\n<script type='text/javascript'>\n (function() {\n var bloggerjs = document.createElement('script');\n bloggerjs.type = 'text/javascript';\n bloggerjs.async = true;\n bloggerjs.src = 'http://'+disqus_shortname+'.disqus.com/blogger_index.js';\n (document.getElementsByTagName('head')[0] || document.getElementsByTagName('body')[0]).appendChild(bloggerjs);\n })();\n </script>\n</div></div>\n</div>\n</div>\n<div class='column-left-outer'>\n<div class='column-left-inner'>\n<aside>\n<div class='sidebar section' id='sidebar-left-1'><div class='widget PopularPosts' id='PopularPosts3'>\n<h2>Most popular (last 30 days)</h2>\n<div class='widget-content popular-posts'>\n<ul>\n<li>\n<a href='http://www.2ality.com/2013/05/google-polymer.html'>Google&#8217;s Polymer and the future of web UI frameworks</a>\n</li>\n<li>\n<a href='http://www.2ality.com/2013/05/web-components-angular-ember.html'>Plans for supporting Web Components in AngularJS and Ember.js</a>\n</li>\n<li>\n<a href='http://www.2ality.com/2013/05/quirk-variable-scope.html'>JavaScript quirk 6: the scope of variables</a>\n</li>\n<li>\n<a href='http://www.2ality.com/2013/05/history-undefined.html'>JavaScript history: undefined</a>\n</li>\n<li>\n<a href='http://www.2ality.com/2013/05/quirk-closures.html'>JavaScript quirk 7: inadvertent sharing of variables via closures</a>\n</li>\n<li>\n<a href='http://www.2ality.com/2013/05/quirk-array-like-objects.html'>JavaScript quirk 8: array-like objects</a>\n</li>\n<li>\n<a href='http://www.2ality.com/2013/04/12quirks.html'>12 JavaScript quirks</a>\n</li>\n</ul>\n<div class='clear'></div>\n<span class='widget-item-control'>\n<span class='item-control blog-admin'>\n<a class='quickedit' href='//www.blogger.com/rearrange?blogID=8100407163665430627&widgetType=PopularPosts&widgetId=PopularPosts3&action=editWidget&sectionId=sidebar-left-1' onclick='return _WidgetManager._PopupConfig(document.getElementById(\"PopularPosts3\"));' target='configPopularPosts3' title='Edit'>\n<img alt='' height='18' src='http://img1.blogblog.com/img/icon18_wrench_allbkg.png' width='18'/>\n</a>\n</span>\n</span>\n<div class='clear'></div>\n</div>\n</div><div class='widget PopularPosts' id='PopularPosts1'>\n<h2>Most popular (all time)</h2>\n<div class='widget-content popular-posts'>\n<ul>\n<li>\n<a href='http://www.2ality.com/2011/09/google-dart.html'>Google Dart to &#8220;ultimately ... replace JavaScript&#8221;</a>\n</li>\n<li>\n<a href='http://www.2ality.com/2013/05/google-polymer.html'>Google&#8217;s Polymer and the future of web UI frameworks</a>\n</li>\n<li>\n<a href='http://www.2ality.com/2013/02/asm-js.html'>asm.js: closing the gap between JavaScript and native</a>\n</li>\n<li>\n<a href='http://www.2ality.com/2011/06/implementing-bookmarklets.html'>Implementing bookmarklets in JavaScript</a>\n</li>\n<li>\n<a href='http://www.2ality.com/2012/12/arrays.html'>Arrays in JavaScript</a>\n</li>\n<li>\n<a href='http://www.2ality.com/2011/07/coffeescript-overrated.html'>CoffeeScript &#8211; overrated?</a>\n</li>\n<li>\n<a href='http://www.2ality.com/2012/12/new-samuel.html'>New Samuel: a font derived from Morse code</a>\n</li>\n<li>\n<a href='http://www.2ality.com/2012/10/javascript-properties.html'>Object properties in JavaScript</a>\n</li>\n<li>\n<a href='http://www.2ality.com/2011/04/modules-and-namespaces-in-javascript.html'>Patterns for modules and namespaces in JavaScript</a>\n</li>\n<li>\n<a href='http://www.2ality.com/2011/10/dart-launch.html'>Google Dart &#8211; overview and comments</a>\n</li>\n</ul>\n<div class='clear'></div>\n<span class='widget-item-control'>\n<span class='item-control blog-admin'>\n<a class='quickedit' href='//www.blogger.com/rearrange?blogID=8100407163665430627&widgetType=PopularPosts&widgetId=PopularPosts1&action=editWidget&sectionId=sidebar-left-1' onclick='return _WidgetManager._PopupConfig(document.getElementById(\"PopularPosts1\"));' target='configPopularPosts1' title='Edit'>\n<img alt='' height='18' src='http://img1.blogblog.com/img/icon18_wrench_allbkg.png' width='18'/>\n</a>\n</span>\n</span>\n<div class='clear'></div>\n</div>\n</div><div class='widget BlogArchive' id='BlogArchive1'>\n<h2>Blog archive</h2>\n<div class='widget-content'>\n<div id='ArchiveList'>\n<div id='BlogArchive1_ArchiveList'>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/search?updated-min=2013-01-01T00:00:00%2B01:00&amp;updated-max=2014-01-01T00:00:00%2B01:00&amp;max-results=50'>2013</a>\n<span class='post-count' dir='ltr'>(55)</span>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2013_06_01_archive.html'>June</a>\n<span class='post-count' dir='ltr'>(1)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2013_05_01_archive.html'>May</a>\n<span class='post-count' dir='ltr'>(11)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2013_04_01_archive.html'>April</a>\n<span class='post-count' dir='ltr'>(12)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2013_03_01_archive.html'>March</a>\n<span class='post-count' dir='ltr'>(8)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2013_02_01_archive.html'>February</a>\n<span class='post-count' dir='ltr'>(10)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2013_01_01_archive.html'>January</a>\n<span class='post-count' dir='ltr'>(13)</span>\n</li>\n</ul>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/search?updated-min=2012-01-01T00:00:00%2B01:00&amp;updated-max=2013-01-01T00:00:00%2B01:00&amp;max-results=50'>2012</a>\n<span class='post-count' dir='ltr'>(178)</span>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2012_12_01_archive.html'>December</a>\n<span class='post-count' dir='ltr'>(14)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2012_11_01_archive.html'>November</a>\n<span class='post-count' dir='ltr'>(14)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2012_10_01_archive.html'>October</a>\n<span class='post-count' dir='ltr'>(15)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2012_09_01_archive.html'>September</a>\n<span class='post-count' dir='ltr'>(14)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2012_08_01_archive.html'>August</a>\n<span class='post-count' dir='ltr'>(18)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2012_07_01_archive.html'>July</a>\n<span class='post-count' dir='ltr'>(15)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2012_06_01_archive.html'>June</a>\n<span class='post-count' dir='ltr'>(16)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2012_05_01_archive.html'>May</a>\n<span class='post-count' dir='ltr'>(1)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2012_04_01_archive.html'>April</a>\n<span class='post-count' dir='ltr'>(14)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2012_03_01_archive.html'>March</a>\n<span class='post-count' dir='ltr'>(18)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2012_02_01_archive.html'>February</a>\n<span class='post-count' dir='ltr'>(20)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2012_01_01_archive.html'>January</a>\n<span class='post-count' dir='ltr'>(19)</span>\n</li>\n</ul>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate expanded'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy toggle-open'>&#9660;&#160;</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/search?updated-min=2011-01-01T00:00:00%2B01:00&amp;updated-max=2012-01-01T00:00:00%2B01:00&amp;max-results=50'>2011</a>\n<span class='post-count' dir='ltr'>(380)</span>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2011_12_01_archive.html'>December</a>\n<span class='post-count' dir='ltr'>(22)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2011_11_01_archive.html'>November</a>\n<span class='post-count' dir='ltr'>(25)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2011_10_01_archive.html'>October</a>\n<span class='post-count' dir='ltr'>(27)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2011_09_01_archive.html'>September</a>\n<span class='post-count' dir='ltr'>(15)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2011_08_01_archive.html'>August</a>\n<span class='post-count' dir='ltr'>(24)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2011_07_01_archive.html'>July</a>\n<span class='post-count' dir='ltr'>(18)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate expanded'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy toggle-open'>&#9660;&#160;</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2011_06_01_archive.html'>June</a>\n<span class='post-count' dir='ltr'>(29)</span>\n<ul class='posts'>\n<li><a href='http://www.2ality.com/2011/06/ecmascript.html'>ECMAScript: ES.next versus ES 6 versus ES Harmony</a></li>\n<li><a href='http://www.2ality.com/2011/06/icloud.html'>Apple&#8217;s iCloud: stealing a page from Google and mo...</a></li>\n<li><a href='http://www.2ality.com/2011/06/prototypes-as-classes.html'>Prototypes as classes &#8211; an introduction to JavaScr...</a></li>\n<li><a href='http://www.2ality.com/2011/06/windows-8-apis.html'>Windows 8 will (probably) not deprecate C++ and .N...</a></li>\n<li><a href='http://www.2ality.com/2011/06/coffeescript-classes.html'>Translating CoffeeScript classes to JavaScript</a></li>\n<li><a href='http://www.2ality.com/2011/06/constructor-property.html'>What&#8217;s up with the &#8220;constructor&#8221; property in JavaS...</a></li>\n<li><a href='http://www.2ality.com/2011/06/google-fathers-day.html'>Google&#8217;s lack of social sensitivity: not everyone ...</a></li>\n<li><a href='http://www.2ality.com/2011/06/object-literal-comma.html'>Quick JavaScript tip: trailing commas inside an ob...</a></li>\n<li><a href='http://www.2ality.com/2011/06/esnext-txjs.html'>ECMAScript.next: the &#8220;TXJS&#8221; update by Eich</a></li>\n<li><a href='http://www.2ality.com/2011/06/facebook-html5-platform.html'>Facebook is working on a mobile HTML5-based app pl...</a></li>\n<li><a href='http://www.2ality.com/2011/06/passcodes.html'>15% use one of these 10 iPhone passcodes</a></li>\n<li><a href='http://www.2ality.com/2011/06/erich-gamma-microsoft.html'>Erich Gamma (Eclipse) joins Microsoft to work on J...</a></li>\n<li><a href='http://www.2ality.com/2011/06/javascript-equality.html'>Equality in JavaScript: === versus ==</a></li>\n<li><a href='http://www.2ality.com/2011/06/twitter-firefox-plugin.html'>The Twitter Firefox plugin</a></li>\n<li><a href='http://www.2ality.com/2011/06/star-trek-xi.html'>A few things you might not know about &#8220;Star Trek (...</a></li>\n<li><a href='http://www.2ality.com/2011/06/hacker-news-effect.html'>The Hacker News (Y Combinator) effect</a></li>\n<li><a href='http://www.2ality.com/2011/06/sync-audio-vlc.html'>Fixing out-of-sync audio in VLC</a></li>\n<li><a href='http://www.2ality.com/2011/06/javascript-calculator.html'>Tip: use JavaScript as a calculator in Firefox and...</a></li>\n<li><a href='http://www.2ality.com/2011/06/ios-in-app-revision.html'>Apple quietly revises its in-app purchasing requir...</a></li>\n<li><a href='http://www.2ality.com/2011/06/implementing-bookmarklets.html'>Implementing bookmarklets in JavaScript</a></li>\n<li><a href='http://www.2ality.com/2011/06/apple-wwdc-2011.html'>Overview and analysis: Apple&#8217;s WWDC 2011 announcem...</a></li>\n<li><a href='http://www.2ality.com/2011/06/google-older-browsers.html'>Google will stop supporting older browsers</a></li>\n<li><a href='http://www.2ality.com/2011/06/apple-retail-lessons.html'>Lessons learned by Apple Retail during its first 1...</a></li>\n<li><a href='http://www.2ality.com/2011/06/winphone7-mango.html'>Windows Phone 7 Mango: the highlights</a></li>\n<li><a href='http://www.2ality.com/2011/06/windows-8-opinions.html'>Is Windows 8 the right approach for tablet computi...</a></li>\n<li><a href='http://www.2ality.com/2011/06/spam-revenue-stream.html'>Cutting off the revenue stream of spammers</a></li>\n<li><a href='http://www.2ality.com/2011/06/firefox-6-dev.html'>Firefox 6: new features for developers</a></li>\n<li><a href='http://www.2ality.com/2011/06/windows-8.html'>Windows 8: Microsoft restarts its operating system...</a></li>\n<li><a href='http://www.2ality.com/2011/06/with-statement.html'>JavaScript&#8217;s with statement and why it&#8217;s deprecate...</a></li>\n</ul>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2011_05_01_archive.html'>May</a>\n<span class='post-count' dir='ltr'>(23)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2011_04_01_archive.html'>April</a>\n<span class='post-count' dir='ltr'>(33)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2011_03_01_archive.html'>March</a>\n<span class='post-count' dir='ltr'>(40)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2011_02_01_archive.html'>February</a>\n<span class='post-count' dir='ltr'>(47)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2011_01_01_archive.html'>January</a>\n<span class='post-count' dir='ltr'>(77)</span>\n</li>\n</ul>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/search?updated-min=2010-01-01T00:00:00%2B01:00&amp;updated-max=2011-01-01T00:00:00%2B01:00&amp;max-results=50'>2010</a>\n<span class='post-count' dir='ltr'>(174)</span>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2010_12_01_archive.html'>December</a>\n<span class='post-count' dir='ltr'>(42)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2010_11_01_archive.html'>November</a>\n<span class='post-count' dir='ltr'>(19)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2010_10_01_archive.html'>October</a>\n<span class='post-count' dir='ltr'>(28)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2010_09_01_archive.html'>September</a>\n<span class='post-count' dir='ltr'>(18)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2010_08_01_archive.html'>August</a>\n<span class='post-count' dir='ltr'>(22)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2010_07_01_archive.html'>July</a>\n<span class='post-count' dir='ltr'>(17)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2010_06_01_archive.html'>June</a>\n<span class='post-count' dir='ltr'>(8)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2010_05_01_archive.html'>May</a>\n<span class='post-count' dir='ltr'>(5)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2010_04_01_archive.html'>April</a>\n<span class='post-count' dir='ltr'>(5)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2010_03_01_archive.html'>March</a>\n<span class='post-count' di",
"r='ltr'>(5)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2010_02_01_archive.html'>February</a>\n<span class='post-count' dir='ltr'>(3)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2010_01_01_archive.html'>January</a>\n<span class='post-count' dir='ltr'>(2)</span>\n</li>\n</ul>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/search?updated-min=2009-01-01T00:00:00%2B01:00&amp;updated-max=2010-01-01T00:00:00%2B01:00&amp;max-results=50'>2009</a>\n<span class='post-count' dir='ltr'>(69)</span>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2009_12_01_archive.html'>December</a>\n<span class='post-count' dir='ltr'>(3)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2009_11_01_archive.html'>November</a>\n<span class='post-count' dir='ltr'>(7)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2009_10_01_archive.html'>October</a>\n<span class='post-count' dir='ltr'>(1)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2009_09_01_archive.html'>September</a>\n<span class='post-count' dir='ltr'>(3)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2009_08_01_archive.html'>August</a>\n<span class='post-count' dir='ltr'>(12)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2009_07_01_archive.html'>July</a>\n<span class='post-count' dir='ltr'>(14)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2009_06_01_archive.html'>June</a>\n<span class='post-count' dir='ltr'>(5)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2009_05_01_archive.html'>May</a>\n<span class='post-count' dir='ltr'>(4)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2009_04_01_archive.html'>April</a>\n<span class='post-count' dir='ltr'>(5)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2009_03_01_archive.html'>March</a>\n<span class='post-count' dir='ltr'>(6)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2009_02_01_archive.html'>February</a>\n<span class='post-count' dir='ltr'>(7)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2009_01_01_archive.html'>January</a>\n<span class='post-count' dir='ltr'>(2)</span>\n</li>\n</ul>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/search?updated-min=2008-01-01T00:00:00%2B01:00&amp;updated-max=2009-01-01T00:00:00%2B01:00&amp;max-results=46'>2008</a>\n<span class='post-count' dir='ltr'>(46)</span>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2008_12_01_archive.html'>December</a>\n<span class='post-count' dir='ltr'>(4)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2008_11_01_archive.html'>November</a>\n<span class='post-count' dir='ltr'>(10)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2008_10_01_archive.html'>October</a>\n<span class='post-count' dir='ltr'>(9)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2008_06_01_archive.html'>June</a>\n<span class='post-count' dir='ltr'>(1)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2008_05_01_archive.html'>May</a>\n<span class='post-count' dir='ltr'>(5)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2008_04_01_archive.html'>April</a>\n<span class='post-count' dir='ltr'>(4)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2008_03_01_archive.html'>March</a>\n<span class='post-count' dir='ltr'>(11)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2008_02_01_archive.html'>February</a>\n<span class='post-count' dir='ltr'>(1)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2008_01_01_archive.html'>January</a>\n<span class='post-count' dir='ltr'>(1)</span>\n</li>\n</ul>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/search?updated-min=2007-01-01T00:00:00%2B01:00&amp;updated-max=2008-01-01T00:00:00%2B01:00&amp;max-results=12'>2007</a>\n<span class='post-count' dir='ltr'>(12)</span>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2007_11_01_archive.html'>November</a>\n<span class='post-count' dir='ltr'>(3)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2007_08_01_archive.html'>August</a>\n<span class='post-count' dir='ltr'>(6)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2007_07_01_archive.html'>July</a>\n<span class='post-count' dir='ltr'>(1)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2007_05_01_archive.html'>May</a>\n<span class='post-count' dir='ltr'>(2)</span>\n</li>\n</ul>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/search?updated-min=2006-01-01T00:00:00%2B01:00&amp;updated-max=2007-01-01T00:00:00%2B01:00&amp;max-results=1'>2006</a>\n<span class='post-count' dir='ltr'>(1)</span>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2006_06_01_archive.html'>June</a>\n<span class='post-count' dir='ltr'>(1)</span>\n</li>\n</ul>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/search?updated-min=2005-01-01T00:00:00%2B01:00&amp;updated-max=2006-01-01T00:00:00%2B01:00&amp;max-results=2'>2005</a>\n<span class='post-count' dir='ltr'>(2)</span>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2005_08_01_archive.html'>August</a>\n<span class='post-count' dir='ltr'>(1)</span>\n</li>\n</ul>\n<ul class='hierarchy'>\n<li class='archivedate collapsed'>\n<a class='toggle' href='javascript:void(0)'>\n<span class='zippy'>\n\n &#9658;&#160;\n \n</span>\n</a>\n<a class='post-count-link' href='http://www.2ality.com/2005_03_01_archive.html'>March</a>\n<span class='post-count' dir='ltr'>(1)</span>\n</li>\n</ul>\n</li>\n</ul>\n</div>\n</div>\n<div class='clear'></div>\n<span class='widget-item-control'>\n<span class='item-control blog-admin'>\n<a class='quickedit' href='//www.blogger.com/rearrange?blogID=8100407163665430627&widgetType=BlogArchive&widgetId=BlogArchive1&action=editWidget&sectionId=sidebar-left-1' onclick='return _WidgetManager._PopupConfig(document.getElementById(\"BlogArchive1\"));' target='configBlogArchive1' title='Edit'>\n<img alt='' height='18' src='http://img1.blogblog.com/img/icon18_wrench_allbkg.png' width='18'/>\n</a>\n</span>\n</span>\n<div class='clear'></div>\n</div>\n</div><div class='widget Label' id='Label1'>\n<h2>Labels</h2>\n<div class='widget-content list-label-widget-content'>\n<ul>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/dev'>dev</a>\n<span dir='ltr'>(407)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/computers'>computers</a>\n<span dir='ltr'>(307)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/javascript'>javascript</a>\n<span dir='ltr'>(223)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/life'>life</a>\n<span dir='ltr'>(191)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/jslang'>jslang</a>\n<span dir='ltr'>(137)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/apple'>apple</a>\n<span dir='ltr'>(106)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/webdev'>webdev</a>\n<span dir='ltr'>(89)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/mobile'>mobile</a>\n<span dir='ltr'>(81)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/scitech'>scitech</a>\n<span dir='ltr'>(50)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/hack'>hack</a>\n<span dir='ltr'>(48)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/esnext'>esnext</a>\n<span dir='ltr'>(44)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/mac'>mac</a>\n<span dir='ltr'>(44)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/google'>google</a>\n<span dir='ltr'>(37)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/java'>java</a>\n<span dir='ltr'>(37)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/business'>business</a>\n<span dir='ltr'>(32)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/ios'>ios</a>\n<span dir='ltr'>(32)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/hci'>hci</a>\n<span dir='ltr'>(27)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/video'>video</a>\n<span dir='ltr'>(27)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/entertainment'>entertainment</a>\n<span dir='ltr'>(26)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/firefox'>firefox</a>\n<span dir='ltr'>(24)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/ipad'>ipad</a>\n<span dir='ltr'>(24)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/movie'>movie</a>\n<span dir='ltr'>(23)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/society'>society</a>\n<span dir='ltr'>(23)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/browser'>browser</a>\n<span dir='ltr'>(22)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/psychology'>psychology</a>\n<span dir='ltr'>(22)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/html5'>html5</a>\n<span dir='ltr'>(21)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/nodejs'>nodejs</a>\n<span dir='ltr'>(20)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/tv'>tv</a>\n<span dir='ltr'>(18)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/android'>android</a>\n<span dir='ltr'>(17)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/clientjs'>clientjs</a>\n<span dir='ltr'>(17)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/fun'>fun</a>\n<span dir='ltr'>(17)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/social'>social</a>\n<span dir='ltr'>(16)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/tablet'>tablet</a>\n<span dir='ltr'>(16)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/2ality'>2ality</a>\n<span dir='ltr'>(15)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/humor'>humor</a>\n<span dir='ltr'>(15)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/web'>web</a>\n<span dir='ltr'>(15)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/chrome'>chrome</a>\n<span dir='ltr'>(14)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/cloud'>cloud</a>\n<span dir='ltr'>(14)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/microsoft'>microsoft</a>\n<span dir='ltr'>(14)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/hardware'>hardware</a>\n<span dir='ltr'>(13)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/politics'>politics</a>\n<span dir='ltr'>(13)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/software%20engineering'>software engineering</a>\n<span dir='ltr'>(13)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/blogging'>blogging</a>\n<span dir='ltr'>(12)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/gaming'>gaming</a>\n<span dir='ltr'>(12)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/eclipse'>eclipse</a>\n<span dir='ltr'>(11)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/gwt'>gwt</a>\n<span dir='ltr'>(11)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/programming%20languages'>programming languages</a>\n<span dir='ltr'>(11)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/app%20store'>app store</a>\n<span dir='ltr'>(10)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/nature'>nature</a>\n<span dir='ltr'>(10)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/photo'>photo</a>\n<span dir='ltr'>(10)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/security'>security</a>\n<span dir='ltr'>(10)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/semantic%20web'>semantic web</a>\n<span dir='ltr'>(10)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/software'>software</a>\n<span dir='ltr'>(10)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/twitter'>twitter</a>\n<span dir='ltr'>(10)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/webos'>webos</a>\n<span dir='ltr'>(10)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/12quirks'>12quirks</a>\n<span dir='ltr'>(9)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/education'>education</a>\n<span dir='ltr'>(9)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/media'>media</a>\n<span dir='ltr'>(9)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/windows%208'>windows 8</a>\n<span dir='ltr'>(9)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/idea'>idea</a>\n<span dir='ltr'>(8)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/iphone'>iphone</a>\n<span dir='ltr'>(8)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/itunes'>itunes</a>\n<span dir='ltr'>(8)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/jsmodules'>jsmodules</a>\n<span dir='ltr'>(8)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/numbers'>numbers</a>\n<span dir='ltr'>(8)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/scifi-fantasy'>scifi-fantasy</a>\n<span dir='ltr'>(8)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/app'>app</a>\n<span dir='ltr'>(7)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/chromeos'>chromeos</a>\n<span dir='ltr'>(7)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/english'>english</a>\n<span dir='ltr'>(7)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/fringe'>fringe</a>\n<span dir='ltr'>(7)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/jsshell'>jsshell</a>\n<span dir='ltr'>(7)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/thunderbolt'>thunderbolt</a>\n<span dir='ltr'>(7)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/webapp'>webapp</a>\n<span dir='ltr'>(7)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/blogger'>blogger</a>\n<span dir='ltr'>(6)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/bookmarklet'>bookmarklet</a>\n<span dir='ltr'>(6)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/crowdsourcing'>crowdsourcing</a>\n<span dir='ltr'>(6)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/latex'>latex</a>\n<span dir='ltr'>(6)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/lion'>lion</a>\n<span dir='ltr'>(6)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/ted'>ted</a>\n<span dir='ltr'>(6)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/environment'>environment</a>\n<span dir='ltr'>(5)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/gadget'>gadget</a>\n<span dir='ltr'>(5)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/html'>html</a>\n<span dir='ltr'>(5)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/intel'>intel</a>\n<span dir='ltr'>(5)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/layout'>layout</a>\n<span dir='ltr'>(5)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/light%20peak'>light peak</a>\n<span dir='ltr'>(5)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/michael%20j.%20fox'>michael j. fox</a>\n<span dir='ltr'>(5)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/music'>music</a>\n<span dir='ltr'>(5)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/pdf'>pdf</a>\n<span dir='ltr'>(5)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/shell'>shell</a>\n<span dir='ltr'>(5)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/underscorejs'>underscorejs</a>\n<span dir='ltr'>(5)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/vlc'>vlc</a>\n<span dir='ltr'>(5)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/coffeescript'>coffeescript</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/dart'>dart</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/facebook'>facebook</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/gimp'>gimp</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/googleio'>googleio</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/googleplus'>googleplus</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/health'>health</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/howto'>howto</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/hp'>hp</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/javafx'>javafx</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/jstools'>jstools</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/kindle'>kindle</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/leopard'>leopard</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/macbook'>macbook</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/motorola'>motorola</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/m%C3%BCnchen'>münchen</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/occupy'>occupy</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/pl%20fundamentals'>pl fundamentals</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/series'>series</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/tc39'>tc39</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/textbook'>textbook</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/web%20design'>web design</a>\n<span dir='ltr'>(4)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/__proto__'>__proto__</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/amazon'>amazon</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/back%20to%20the%20future'>back to the future</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/book'>book</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/css'>css</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/flattr'>flattr</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/food'>food</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/foreign%20languages'>foreign languages</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/house'>house</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/icloud'>icloud</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/info%20mgmt'>info mgmt</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/jsfuture'>jsfuture</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/jshistory'>jshistory</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/jsstyle'>jsstyle</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/linux'>linux</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/mozilla'>mozilla</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/publishing'>publishing</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/python'>python</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/samsung'>samsung</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/tizen'>tizen</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/traffic'>traffic</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/unix'>unix</a>\n<span dir='ltr'>(3)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/adobe'>adobe</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/angry%20birds'>angry birds</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/astronomy'>astronomy</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/audio'>audio</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/comic'>comic</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/design'>design</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/ecommerce'>ecommerce</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/eval'>eval</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/facets'>facets</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/flash'>flash</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/fluentconf'>fluentconf</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/free'>free</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/futurama'>futurama</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/guide'>guide</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/history'>history</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/hyena'>hyena</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/internet%20explorer'>internet explorer</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/journalism'>journalism</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/jquery'>jquery</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/jsengine'>jsengine</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/law'>law</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/lightning'>lightning</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/math'>math</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/meego'>meego</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/month'>month</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/nike'>nike</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/nokia'>nokia</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/polymer'>polymer</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/regexp'>regexp</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/repl'>repl</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/servo'>servo</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/sponsor'>sponsor</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/steve%20jobs'>steve jobs</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/tmplstr'>tmplstr</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/travel'>travel</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/usb'>usb</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/webcomponents'>webcomponents</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/winphone'>winphone</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/wwdc'>wwdc</a>\n<span dir='ltr'>(2)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/airbender'>airbender</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/amdefine'>amdefine</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/angularjs'>angularjs</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/aol'>aol</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/app%20urls'>app urls</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/architecture'>architecture</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/asmjs'>asmjs</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/async'>async</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/basic%20income'>basic income</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/biology'>biology</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/blink'>blink</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/bluetooth'>bluetooth</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/canada'>canada</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/community'>community</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/cross-platform'>cross-platform</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/deutsch'>deutsch</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/diaspora'>diaspora</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/distributed-social-network'>distributed-social-network</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/dsl'>dsl</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/dvd'>dvd</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/dzone'>dzone</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/emacs'>emacs</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/emberjs'>emberjs</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/energy'>energy</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/facetator'>facetator</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/feedback'>feedback</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/firefly'>firefly</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/firefoxos'>firefoxos</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/fritzbox'>fritzbox</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/german'>german</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/git'>git</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/guice'>guice</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/h.264'>h.264</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/home%20entertainment'>home entertainment</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/hosting'>hosting</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/htc'>htc</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/ical'>ical</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/jsdom'>jsdom</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/jslib'>jslib</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/jsmyth'>jsmyth</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/library'>library</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/location'>location</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/markdown'>markdown</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/marketing'>marketing</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/mars'>mars</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/meta-data'>meta-data</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/middle%20east'>middle east</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/mpaa'>mpaa</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/msl'>msl</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/mssurface'>mssurface</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/netflix'>netflix</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/obama'>obama</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/openoffice'>openoffice</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/opinion'>opinion</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/oracle'>oracle</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/organizing'>organizing</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/philosophy'>philosophy</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/pixar'>pixar</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/pnacl'>pnacl</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/presenting'>presenting</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/programming'>programming</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/puzzle'>puzzle</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/raffle'>raffle</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/raspberry%20pi'>raspberry pi</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/read'>read</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/rust'>rust</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/safari'>safari</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/sponsoring'>sponsoring</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/star%20trek'>star trek</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/talk'>talk</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/theora'>theora</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/thunderbird'>thunderbird</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/typography'>typography</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/v8'>v8</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/voice%20control'>voice control</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/webkit'>webkit</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/webm'>webm</a>\n<span dir='ltr'>(1)</span>\n</li>\n<li>\n<a dir='ltr' href='http://www.2ality.com/search/label/yahoo'>yahoo</a>\n<span dir='ltr'>(1)</span>\n</li>\n</ul>\n<div class='clear'></div>\n<span class='widget-item-control'>\n<span class='item-control blog-admin'>\n<a class='quickedit' href='//www.blogger.com/rearrange?blogID=8100407163665430627&widgetType=Label&widgetId=Label1&action=editWidget&sectionId=sidebar-left-1' onclick='return _WidgetManager._PopupConfig(document.getElementById(\"Label1\"));' target='configLabel1' title='Edit'>\n<img alt='' height='18' src='http://img1.blogblog.com/img/icon18_wrench_allbkg.png' width='18'/>\n</a>\n</span>\n</span>\n<div class='clear'></div>\n</div>\n</div></div>\n</aside>\n</div>\n</div>\n<div class='column-right-outer'>\n<div class='column-right-inner'>\n<aside>\n<div class='sidebar section' id='sidebar-right-1'><div class='widget HTML' id='HTML5'>\n<h2 class='title'>Support 2ality</h2>\n<div class='widget-content'>\n<!-- BuySellAds Zone Code -->\n<div id=\"bsap_1281691\" class=\"bsarocks bsap_4c6638b450ca5dbf136f2e95b13b8769\"></div>\n<a href=\"http://adpacks.com\" id=\"bsap_aplink\">via Ad Packs</a>\n<!-- End BuySellAds Zone Code -->\n</div>\n<div class='clear'></div>\n<span class='widget-item-control'>\n<span class='item-control blog-admin'>\n<a class='quickedit' href='//www.blogger.com/rearrange?blogID=8100407163665430627&widgetType=HTML&widgetId=HTML5&action=editWidget&sectionId=sidebar-right-1' onclick='return _WidgetManager._PopupConfig(document.getElementById(\"HTML5\"));' target='configHTML5' title='Edit'>\n<img alt='' height='18' src='http://img1.blogblog.com/img/icon18_wrench_allbkg.png' width='18'/>\n</a>\n</span>\n</span>\n<div class='clear'></div>\n</div><div class='widget HTML' id='HTML2'>\n<div class='widget-content'>\n<div>\n<a href=\"http://rauschma.de\"><img src=\"http://2.bp.blogspot.com/_OmQeTejy15k/SFLaRDtJctI/AAAAAAAAAAM/Q_l65asuamY/S220/blog_kopf_12.jpg\" width=\"90\" height=\"110\" /></a>\n</div>\n<div>\n<a href=\"http://rauschma.de\">Dr. Axel Rauschmayer</a>\n</div>\n</div>\n<div class='clear'></div>\n<span class='widget-item-control'>\n<span class='item-control blog-admin'>\n<a class='quickedit' href='//www.blogger.com/rearrange?blogID=8100407163665430627&widgetType=HTML&widgetId=HTML2&action=editWidget&sectionId=sidebar-right-1' onclick='return _WidgetManager._PopupConfig(document.getElementById(\"HTML2\"));' target='configHTML2' title='Edit'>\n<img alt='' height='18' src='http://img1.blogblog.com/img/icon18_wrench_allbkg.png' width='18'/>\n</a>\n</span>\n</span>\n<div class='clear'></div>\n</div><div class='widget HTML' id='HTML6'>\n<h2 class='title'>&#8220;My&#8221; sites</h2>\n<div class='widget-content'>\n<ul>\n<li><a href=\"http://javascriptweekly.com/\" rel=\"nofollow\">JavaScript Weekly [editor]</a></li>\n<li><a href=\"https://groups.google.com/d/forum/js-lang\" rel=\"nofollow\">js-lang &#8211; JavaScript discussion group [founder]</a></li>\n<li><a href=\"http://jscentral.org/\" rel=\"nofollow\">JS Central &#8211; JavaScript news and links [creator]</a></li>\n<li><a href=\"http://www.munichjs.org/\" rel=\"nofollow\">MunichJS &#8211; JavaScript User Group Munich [organizer]</a></li>\n</ul>\n</div>\n<div class='clear'></div>\n<span class='widget-item-control'>\n<span class='item-control blog-admin'>\n<a class='quickedit' href='//www.blogger.com/rearrange?blogID=8100407163665430627&widgetType=HTML&widgetId=HTML6&action=editWidget&sectionId=sidebar-right-1' onclick='return _WidgetManager._PopupConfig(document.getElementById(\"HTML6\"));' target='configHTML6' title='Edit'>\n<img alt='' height='18' src='http://img1.blogblog.com/img/icon18_wrench_allbkg.png' width='18'/>\n</a>\n</span>\n</span>\n<div class='clear'></div>\n</div><div class='widget HTML' id='HTML3'>\n<h2 class='title'>Twitter</h2>\n<div class='widget-content'>\n<script src=\"http://widgets.twimg.com/j/2/widget.js\"></script>\n<script>\nnew TWTR.Widget({\n version: 2,\n type: 'profile',\n rpp: 5,\n interval: 30000,\n width: '140',\n height: 'auto',\n theme: {\n shell: {\n background: 'auto',\n color: '#000000'\n },\n tweets: {\n background: 'auto',\n color: '#000000',\n links: 'auto'\n }\n },\n features: {\n scrollbar: false,\n loop: false,\n live: false,\n hashtags: true,\n timestamp: true,\n avatars: false,\n behavior: 'all'\n }\n}).render().setUser('rauschma').start();\n</script>\n</div>\n<div class='clear'></div>\n<span class='widget-item-control'>\n<span class='item-control blog-admin'>\n<a class='quickedit' href='//www.blogger.com/rearrange?blogID=8100407163665430627&widgetType=HTML&widgetId=HTML3&action=editWidget&sectionId=sidebar-right-1' onclick='return _WidgetManager._PopupConfig(document.getElementById(\"HTML3\"));' target='configHTML3' title='Edit'>\n<img alt='' height='18' src='http://img1.blogblog.com/img/icon18_wrench_allbkg.png' width='18'/>\n</a>\n</span>\n</span>\n<div class='clear'></div>\n</div></div>\n</aside>\n</div>\n</div>\n</div>\n<div style='clear: both'></div>\n<!-- columns -->\n</div>\n<!-- main -->\n</div>\n</div>\n<div class='main-cap-bottom cap-bottom'>\n<div class='cap-left'></div>\n<div class='cap-right'></div>\n</div>\n</div>\n<footer>\n<div class='footer-outer'>\n<div class='footer-cap-top cap-top'>\n<div class='cap-left'></div>\n<div class='cap-right'></div>\n</div>\n<div class='fauxborder-left footer-fauxborder-left'>\n<div class='fauxborder-right footer-fauxborder-right'></div>\n<div class='region-inner footer-inner'>\n<div class='foot section' id='footer-1'></div>\n<table border='0' cellpadding='0' cellspacing='0' class='section-columns columns-2'>\n<tbody>\n<tr>\n<td class='first columns-cell'>\n<div class='foot section' id='footer-2-1'></div>\n</td>\n<td class='columns-cell'>\n<div class='foot section' id='footer-2-2'></div>\n</td>\n</tr>\n</tbody>\n</table>\n<!-- outside of the include in order to lock Attribution widget -->\n<div class='foot section' id='footer-3'><div class='widget Attribution' id='Attribution1'>\n<div class='widget-content' style='text-align: center;'>\nPowered by <a href='http://www.blogger.com' target='_blank'>Blogger</a>.\n</div>\n<div class='clear'></div>\n<span class='widget-item-control'>\n<span class='item-control blog-admin'>\n<a class='quickedit' href='//www.blogger.com/rearrange?blogID=8100407163665430627&widgetType=Attribution&widgetId=Attribution1&action=editWidget&sectionId=footer-3' onclick='return _WidgetManager._PopupConfig(document.getElementById(\"Attribution1\"));' target='configAttribution1' title='Edit'>\n<img alt='' height='18' src='http://img1.blogblog.com/img/icon18_wrench_allbkg.png' width='18'/>\n</a>\n</span>\n</span>\n<div class='clear'></div>\n</div></div>\n</div>\n</div>\n<div class='footer-cap-bottom cap-bottom'>\n<div class='cap-left'></div>\n<div class='cap-right'></div>\n</div>\n</div>\n</footer>\n<!-- content -->\n</div>\n</div>\n<div class='content-cap-bottom cap-bottom'>\n<div class='cap-left'></div>\n<div class='cap-right'></div>\n</div>\n</div>\n</div>\n<script type='text/javascript'>\n window.setTimeout(function() {\n document.body.className = document.body.className.replace('loading', '');\n }, 10);\n </script>\n<!--BEGIN: rauschma-->\n<!--AdPacks.com-->\n<script type='text/javascript'>\n(function(){\n var bsa = document.createElement('script');\n bsa.type = 'text/javascript';\n bsa.async = true;\n bsa.src = '//s3.buysellads.com/ac/bsa.js';\n (document.getElementsByTagName('head')[0]||document.getElementsByTagName('body')[0]).appendChild(bsa);\n})();\n</script>\n<!--post.js-->\n<script>\n//<![CDATA[\n(function () {\n var countDownToInit = countDownTo(2, init);\n\n loadScript(\"http://dl.2ality.com/prettify/prettify.js\", countDownToInit);\n\n var oldOnLoad = window.onload;\n window.onload = function (event) {\n if (typeof oldOnLoad === \"function\") {\n oldOnLoad(event);\n }\n countDownToInit();\n };\n\n function init() {\n prettyPrint();\n\n // References: add link sources and link targets\n if (document.getElementsByClassName) {\n var elems = document.getElementsByClassName(\"ptr\");\n for (var i = 0; i<elems.length; i++) {\n var elem = elems[i];\n elem.setAttribute(\"href\", \"#\"+elem.innerHTML);\n }\n var refs = document.getElementById(\"references\");\n if (refs.getElementsByTagName) {\n var elems = refs.getElementsByTagName(\"li\");\n for (var i = 0; i<elems.length; i++) {\n var elem = elems[i];\n elem.setAttribute(\"id\", \"[\"+(i+1)+\"]\");\n }\n }\n }\n }\n\n function countDownTo(count, callback) {\n return function () {\n count--;\n if (count === 0) {\n callback();\n } else if (count < 0) {\n throw new Error(\"Invoked too many times\");\n }\n }\n }\n \n /**\n * Code by Nicholas C. Zakas, with minor modifications\n * @see http://www.nczonline.net/blog/2009/07/28/the-best-way-to-load-external-javascript/\n */\n function loadScript(url, callback) {\n var script = document.createElement(\"script\")\n script.type = \"text/javascript\";\n\n if (script.readyState) { // IE\n script.onreadystatechange = function () {\n if (script.readyState === \"loaded\" ||\n script.readyState === \"complete\") {\n script.onreadystatechange = null;\n if (callback) callback();\n }\n };\n } else { // Others\n script.onload = function(){\n if (callback) callback();\n };\n }\n\n script.src = url;\n document.getElementsByTagName(\"head\")[0].appendChild(script);\n }\n}());\n//]]>\n</script>\n<a href='http://clicky.com/66467360' title='Web Analytics'><img alt='Web Analytics' border='0' src='//static.clicky.com/media/links/badge.gif'/></a>\n<script src='//static.clicky.com/js' type='text/javascript'></script>\n<script type='text/javascript'>try{ clicky.init(66467360); }catch(e){}</script>\n<noscript><p><img alt='Clicky' height='1' src='//in.clicky.com/66467360ns.gif' width='1'/></p></noscript>\n<!--END: rauschma-->\n<script type=\"text/javascript\">\nif (window.jstiming) window.jstiming.load.tick('widgetJsBefore');\n</script><script type=\"text/javascript\" src=\"//www.blogger.com/static/v1/widgets/2293351789-widgets.js\"></script>\n<script type=\"text/javascript\" src=\"https://apis.google.com/js/plusone.js\"></script>\n<script type='text/javascript'>\nif (typeof(BLOG_attachCsiOnload) != 'undefined' && BLOG_attachCsiOnload != null) { window['blogger_templates_experiment_id'] = \"templatesV2\";window['blogger_blog_id'] = '8100407163665430627';BLOG_attachCsiOnload('item_'); }_WidgetManager._Init('//www.blogger.com/rearrange?blogID\\x3d8100407163665430627','//www.2ality.com/2011/06/ecmascript.html','8100407163665430627');\n_WidgetManager._SetDataContext([{'name': 'blog', 'data': {'blogId': '8100407163665430627', 'bloggerUrl': 'http://www.blogger.com', 'title': '&#9313;ality &#8211; JavaScript and more', 'pageType': 'item', 'url': 'http://www.2ality.com/2011/06/ecmascript.html', 'canonicalUrl': 'http://www.2ality.com/2011/06/ecmascript.html', 'canonicalHomepageUrl': 'http://www.2ality.com/', 'homepageUrl': 'http://www.2ality.com/', 'blogspotFaviconUrl': 'http://www.2ality.com/favicon.ico', 'enabledCommentProfileImages': true, 'adultContent': false, 'disableAdSenseWidget': false, 'analyticsAccountNumber': '', 'searchLabel': '', 'searchQuery': '', 'pageName': 'ECMAScript: ES.next versus ES 6 versus ES Harmony', 'pageTitle': '&#9313;ality &#8211; JavaScript and more: ECMAScript: ES.next versus ES 6 versus ES Harmony', 'encoding': 'UTF-8', 'locale': 'en', 'localeUnderscoreDelimited': 'en', 'isPrivate': false, 'isMobile': false, 'isMobileRequest': false, 'mobileClass': '', 'isPrivateBlog': false, 'languageDirection': 'ltr', 'feedLinks': '\\74link rel\\75\\42alternate\\42 type\\75\\42application/atom+xml\\42 title\\75\\42&#9313;ality &#8211; JavaScript and more - Atom\\42 href\\75\\42http://www.2ality.com/feeds/posts/default\\42 /\\76\\n\\74link rel\\75\\42alternate\\42 type\\75\\42application/rss+xml\\42 title\\75\\42&#9313;ality &#8211; JavaScript and more - RSS\\42 href\\75\\42http://www.2ality.com/feeds/posts/default?alt\\75rss\\42 /\\76\\n\\74link rel\\75\\42service.post\\42 type\\75\\42application/atom+xml\\42 title\\75\\42&#9313;ality &#8211; JavaScript and more - Atom\\42 href\\75\\42http://www.blogger.com/feeds/8100407163665430627/posts/default\\42 /\\76\\n\\74link rel\\75\\42EditURI\\42 type\\75\\42application/rsd+xml\\42 title\\75\\42RSD\\42 href\\75\\42http://www.blogger.com/rsd.g?blogID\\758100407163665430627\\42 /\\76\\n\\74link rel\\75\\42alternate\\42 type\\75\\42application/atom+xml\\42 title\\75\\42&#9313;ality &#8211; JavaScript and more - Atom\\42 href\\75\\42http://www.2ality.com/feeds/4417229646097827778/comments/default\\42 /\\76\\n', 'meTag': '', 'openIdOpTag': '', 'googleProfileUrl': 'https://plus.google.com/110516491705475800224', 'imageSrcTag': '', 'latencyHeadScript': '\\74script type\\75\\42text/javascript\\42\\76(function() { var b\\75window,e\\75\\42jstiming\\42,g\\75\\42tick\\42;(function(){function d(a){this.t\\75{};this.tick\\75function(a,d,c){c\\75void 0!\\75c?c:(new Date).getTime();this.t[a]\\75[c,d]};this[g](\\42start\\42,null,a)}var a\\75new d;b.jstiming\\75{Timer:d,load:a};if(b.performance\\46\\46b.performance.timing){var a\\75b.performance.timing,c\\75b[e].load,f\\75a.navigationStart,a\\75a.responseStart;0\\74f\\46\\46a\\76\\75f\\46\\46(c[g](\\42_wtsrt\\42,void 0,f),c[g](\\42wtsrt_\\42,\\42_wtsrt\\42,a),c[g](\\42tbsd_\\42,\\42wtsrt_\\42))}try{a\\75null,b.chrome\\46\\46b.chrome.csi\\46\\46(a\\75Math.floor(b.chrome.csi().pageT),c\\46\\0460\\74f\\46\\46(c[g](\\42_tbnd\\42,void 0,b.chrome.csi().startE),\\nc[g](\\42tbnd_\\42,\\42_tbnd\\42,f))),null\\75\\75a\\46\\46b.gtbExternal\\46\\46(a\\75b.gtbExternal.pageT()),null\\75\\75a\\46\\46b.external\\46\\46(a\\75b.external.pageT,c\\46\\0460\\74f\\46\\46(c[g](\\42_tbnd\\42,void 0,b.external.startE),c[g](\\42tbnd_\\42,\\42_tbnd\\42,f))),a\\46\\46(b[e].pt\\75a)}catch(l){}})();b.tickAboveFold\\75function(d){var a\\0750;if(d.offsetParent){do a+\\75d.offsetTop;while(d\\75d.offsetParent)}d\\75a;750\\76\\75d\\46\\46b[e].load[g](\\42aft\\42)};var h\\75!1;function k(){h||(h\\75!0,b[e].load[g](\\42firstScrollTime\\42))}b.addEventListener?b.addEventListener(\\42scroll\\42,k,!1):b.attachEvent(\\42onscroll\\42,k);\\n })();\\74/script\\076', 'mobileHeadScript': '', 'ieCssRetrofitLinks': '\\74!--[if IE]\\76\\74script type\\75\\42text/javascript\\42 src\\75\\42//www.blogger.com/static/v1/jsbin/2963240465-ieretrofit.js\\42\\76\\74/script\\76\\n\\74![endif]--\\076', 'view': '', 'dynamicViewsCommentsSrc': '//www.blogblog.com/dynamicviews/4224c15c4e7c9321/js/comments.js', 'dynamicViewsScriptSrc': '//www.blogblog.com/dynamicviews/2556441d711ff161', 'plusOneApiSrc': 'https://apis.google.com/js/plusone.js', 'sf': 'n', 'tf': ''}}, {'name': 'skin', 'data': {'vars': {'tabs_border_size': '0', 'tabs_shadow_spread': '0', 'link_visited_color': '#993322', 'post_title_font': 'normal normal 30px Georgia, Utopia, \\47Palatino Linotype\\47, Palatino, serif', 'tabs_separator_color': '#c0a154', 'tabs_text_color': '#cc3300', 'post_shadow_spread': '0', 'body_background_overlay_height': '121px', 'main_cap_height': '0', 'widget_title_font': 'normal normal 20px Georgia, Utopia, \\47Palatino Linotype\\47, Palatino, serif', 'body_background_overlay': 'transparent url(http://www.blogblog.com/1kt/watermark/body_overlay_birds.png) no-repeat scroll top right', 'tabs_background_outer': 'none', 'body_background': '#c0a154 url(http://www.blogblog.com/1kt/watermark/body_background_birds.png) repeat scroll top left', 'keycolor': '#c0a154', 'main_background': 'transparent none no-repeat scroll top left', 'header_font': 'normal normal 60px Georgia, Utopia, \\47Palatino Linotype\\47, Palatino, serif', 'footer_background': '#330000 url(http://www.blogblog.com/1kt/watermark/body_background_navigator.png) repeat scroll top left', 'post_border_style': 'dotted', 'footer_link_visited_color': '#dd5533', 'post_background_url': 'url(http://www.blogblog.com/1kt/watermark/post_background_birds.png)', 'footer_link_hover_color': '#ff9977', 'tabs_background_color': 'transparent', 'link_hover_color': '#ff3300', 'footer_link_color': '#ff7755', 'description_text_color': '#997755', 'body_text_color': '#333333', 'post_border_color': '#ccbb99', 'footer_text_color': '#ccbb99', 'post_background_color': 'transparent', 'post_footer_text_color': '#997755', 'tabs_background_inner': 'none', 'endSide': 'right', 'tabs_font': 'normal normal 20px Georgia, Utopia, \\47Palatino Linotype\\47, Palatino, serif', 'startSide': 'left', 'body_font': 'normal normal 14px Arial, Tahoma, Helvetica, FreeSans, sans-serif', 'main_cap_overlay': 'none', 'date_text_color': '#997755', 'widget_title_text_color': '#000000', 'link_color': '#cc3300', 'footer_widget_title_text_color': '#eeddbb', 'post_border_size': '1px', 'main_cap_image': 'none', 'footer_background_color': '#330000', 'header_text_color': '#ffffff', 'date_font': 'normal normal 16px Arial, Tahoma, Helvetica, FreeSans, sans-serif', 'main_padding_top': '30px', 'tabs_selected_text_color': '#000000', 'body_background_color': '#c0a154', 'widget_alternate_text_color': '#777777'}, 'override': ''}}, {'name': 'view', 'data': {'classic': {'name': 'classic', 'url': '/?view\\75classic'}, 'flipcard': {'name': 'flipcard', 'url': '/?view\\75flipcard'}, 'magazine': {'name': 'magazine', 'url': '/?view\\75magazine'}, 'mosaic': {'name': 'mosaic', 'url': '/?view\\75mosaic'}, 'sidebar': {'name': 'sidebar', 'url': '/?view\\75sidebar'}, 'snapshot': {'name': 'snapshot', 'url': '/?view\\75snapshot'}, 'timeslide': {'name': 'timeslide', 'url': '/?view\\75timeslide'}}}]);\n_WidgetManager._RegisterWidget('_PageListView', new _WidgetInfo('PageList1', 'crosscol', null, document.getElementById('PageList1'), {'title': 'Pages', 'links': [{'href': 'http://www.2ality.com/', 'title': 'Home', 'isCurrentPage': false}, {'href': 'http://www.2ality.com/p/about.html', 'title': 'About', 'isCurrentPage': false}, {'href': 'http://www.2ality.com/p/best.html', 'title': 'Best of', 'isCurrentPage': false}, {'href': 'http://www.2ality.com/p/subscribe.html', 'title': 'Subscribe', 'isCurrentPage': false}, {'href': 'http://www.2ality.com/p/advertise.html', 'title': 'Advertise', 'isCurrentPage': false}], 'mobile': false}, 'displayModeFull'));\n_WidgetManager._RegisterWidget('_HTMLView', new _WidgetInfo('HTML5', 'sidebar-right-1', null, document.getElementById('HTML5'), {}, 'displayModeFull'));\n_WidgetManager._RegisterWidget('_HTMLView', new _WidgetInfo('HTML2', 'sidebar-right-1', null, document.getElementById('HTML2'), {}, 'displayModeFull'));\n_WidgetManager._RegisterWidget('_HTMLView', new _WidgetInfo('HTML6', 'sidebar-right-1', null, document.getElementById('HTML6'), {}, 'displayModeFull'));\n_WidgetManager._RegisterWidget('_HTMLView', new _WidgetInfo('HTML3', 'sidebar-right-1', null, document.getElementById('HTML3'), {}, 'displayModeFull'));\n_WidgetManager._RegisterWidget('_PopularPostsView', new _WidgetInfo('PopularPosts3', 'sidebar-left-1', null, document.getElementById('PopularPosts3'), {}, 'displayModeFull'));\n_WidgetManager._RegisterWidget('_PopularPostsView', new _WidgetInfo('PopularPosts1', 'sidebar-left-1', null, document.getElementById('PopularPosts1'), {}, 'displayModeFull'));\n_WidgetManager._RegisterWidget('_BlogArchiveView', new _WidgetInfo('BlogArchive1', 'sidebar-left-1', null, document.getElementById('BlogArchive1'), {'languageDirection': 'ltr'}, 'displayModeFull'));\n_WidgetManager._RegisterWidget('_LabelView', new _WidgetInfo('Label1', 'sidebar-left-1', null, document.getElementById('Label1'), {}, 'displayModeFull'));\n_WidgetManager._RegisterWidget('_HTMLView', new _WidgetInfo('HTML4', 'crosscol-overflow', null, document.getElementById('HTML4'), {}, 'displayModeFull'));\n_WidgetManager._RegisterWidget('_AttributionView', new _WidgetInfo('Attribution1', 'footer-3', null, document.getElementById('Attribution1'), {'attribution': 'Powered by \\74a href\\75\\47http://www.blogger.com\\47 target\\75\\47_blank\\47\\76Blogger\\74/a\\76.'}, 'displayModeFull'));\n_WidgetManager._RegisterWidget('_HeaderView', new _WidgetInfo('Header1', 'header', null, document.getElementById('Header1'), {}, 'displayModeFull'));\n_WidgetManager._RegisterWidget('_BlogView', new _WidgetInfo('Blog1', 'main', null, document.getElementById('Blog1'), {'cmtInteractionsEnabled': false, 'showBacklinks': true, 'postId': '4417229646097827778', 'lightboxEnabled': true, 'lightboxModuleUrl': '//www.blogger.com/static/v1/jsbin/3606672331-lbx.js', 'lightboxCssUrl': '//www.blogger.com/static/v1/v-css/228702327-lightbox_bundle.css'}, 'displayModeFull'));\n_WidgetManager._RegisterWidget('_HTMLView', new _WidgetInfo('HTML1', 'main', null, document.getElementById('HTML1'), {}, 'displayModeFull'));\n</script>\n</body>\n</html>"
],
[
"<!DOCTYPE html PUBLIC \"-//W3C//DTD XHTML+RDFa 1.0//EN\" \"http://www.w3.org/MarkUp/DTD/xhtml-rdfa-1.dtd\">\n\n\n<html xmlns=\"http://www.w3.org/1999/xhtml\" xmlns:og=\"http://opengraphprotocol.org/schema/\" xmlns:rnews=\"http://iptc.org/std/rNews/2011-10-07#\" xml:lang=\"en-GB\">\r\n \r\n \r\n \r\n \r\n\t\r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n\t\r\n \r\n\t\r\n \r\n\t\r\n\t\r\n\t\r\n\t\r\n \r\n\t\r\n \r\n \r\n \r\n<!-- THIS FILE CONFIGURES SHARED HIGHWEB STATIC ASSETS -->\n\n\n\n\r\n\n<!-- mapping_news.inc -->\r\n<!-- THIS FILE CONFIGURES NEWS STATIC ASSETS -->\n\n\n\n\r\n<!-- THIS FILE CONFIGURES VOTE 2012 STATIC ASSETS -->\n\n\n\n\n\r\n <!-- hi/shared/head_initial.inc -->\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t <head profile=\"http://dublincore.org/documents/dcq-html/\" resource=\"http://www.bbc.co.uk/news/world-us-canada-22461506\" typeof=\"rnews:NewsItem\">\r\n <meta http-equiv=\"X-UA-Compatible\" content=\"IE=8\" />\r\n <meta http-equiv=\"Content-Type\" content=\"text/html; charset=utf-8\" />\r\n <title>BBC News - Cleveland kidnap accused Ariel Castro in court</title>\r\n <meta name=\"Description\" content=\"The former bus driver charged with the &quot;deliberate, depraved&quot; kidnap and abuse of three women in the US city of Cleveland appears in court.\"/>\r\n <meta property=\"rnews:description\" content=\"The former bus driver charged with the &quot;deliberate, depraved&quot; kidnap and abuse of three women in the US city of Cleveland appears in court.\"/>\r\n <meta name=\"OriginalPublicationDate\" content=\"2013/05/09 20:59:04\"/>\r\n <meta property=\"rnews:datePublished\" content=\"2013/05/09 20:59:04\"/>\r\n <meta name=\"UKFS_URL\" content=\"/news/world-us-canada-22461506\"/>\r\n <meta name=\"THUMBNAIL_URL\" content=\"http://news.bbcimg.co.uk/media/images/67511000/jpg/_67511685_67505813.jpg\"/>\r\n <meta property=\"rnews:thumbnailUrl\" content=\"http://news.bbcimg.co.uk/media/images/67511000/jpg/_67511685_67505813.jpg\"/>\r\n <meta name=\"Headline\" content=\"Cleveland kidnap accused in court\"/>\r\n <meta property=\"rnews:headline\" content=\"Cleveland kidnap accused in court\"/>\r\n <meta name=\"IFS_URL\" content=\"/news/world-us-canada-22461506\"/>\r\n <meta name=\"Section\" content=\"US &amp; Canada\"/>\r\n <meta name=\"contentFlavor\" content=\"STORY\"/>\r\n\t\t <meta name=\"CPS_ID\" content=\"22461506\" />\r\n <meta name=\"CPS_SITE_NAME\" content=\"BBC News\" />\r\n <meta name=\"CPS_SECTION_PATH\" content=\"World/US and Canada\" />\r\n <meta name=\"CPS_ASSET_TYPE\" content=\"STY\" />\r\n <meta name=\"CPS_PLATFORM\" content=\"HighWeb\" />\r\n <meta name=\"CPS_AUDIENCE\" content=\"International\" />\r\n <meta property=\"rnews:creator\" content=\"http://www.bbc.co.uk#org\"/> \r\n \r\n \t\t<meta property=\"og:title\" content=\"Cleveland kidnap accused in court\"/>\r\n \t\t<meta property=\"og:type\" content=\"article\"/>\r\n \t\t<meta property=\"og:url\" content=\"http://www.bbc.co.uk/news/world-us-canada-22461506\"/>\r\n \t\t<meta property=\"og:site_name\" content=\"BBC News\"/>\r\n \t\t\t<meta property=\"og:image\" content=\"http://news.bbcimg.co.uk/media/images/67511000/jpg/_67511686_67505813.jpg\"/>\r\n\t\t\t\t\t\t\t\t\t\t\t \r\n\t\t\t\t<meta name=\"bbcsearch_noindex\" content=\"atom\"/>\r\n\t\t\r\n <link rel=\"canonical\" href=\"http://www.bbc.co.uk/news/world-us-canada-22461506\" />\r\n \t \t\t \r\n \t\t\r\n <!-- hi/news/head_first.inc -->\r\n<meta name=\"application-name\" content=\"BBC News\" />\r\n<meta name=\"msapplication-TileImage\" content=\"/img/1_0_2/cream/hi/news/bbc-news-pin.png\" />\r\n<meta name=\"msapplication-TileColor\" content=\"#CC0101\" />\r\n<meta name=\"twitter:card\" value=\"summary\" />\r\n \r\n \n<!-- PULSE_ENABLED:yes -->\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\t\r\n\t\r\n\t\r\n\t\t\r\n\t\t\r\n\t\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\t\r\n\t\t\t\r\n\t\t\r\n\t\r\n\t\r\n\t\r\n\t\r\n\t\r\n\t\r\n\t\r\n\t\r\n\t\r\n\t\r\n\t\r\n\t\r\n\t\r\n\t\r\n\t\t\r\n\t\r\n\t\t\r\n\r\n\r\n\r\n\n\n\t\n\t\t\n\n \n <meta http-equiv=\"X-UA-Compatible\" content=\"IE=8\" /> \n <link rel=\"schema.dcterms\" href=\"http://purl.org/dc/terms/\" /> <link rel=\"index\" href=\"http://www.bbc.co.uk/a-z/\" title=\"A to Z\" /> <link rel=\"help\" href=\"http://www.bbc.co.uk/help/\" title=\"BBC Help\" /> <link rel=\"copyright\" href=\"http://www.bbc.co.uk/terms/\" title=\"Terms of Use\" /> <link rel=\"icon\" href=\"http://www.bbc.co.uk/favicon.ico\" type=\"image/x-icon\" /> <meta name=\"viewport\" content=\"width = 996\" /> \n\n <link rel=\"stylesheet\" type=\"text/css\" href=\"http://static.bbci.co.uk/frameworks/barlesque/2.45.9/desktop/3.5/style/main.css\" /> <script type=\"text/javascript\">/*<![CDATA[*/ if (typeof bbccookies_flag === 'undefined') { bbccookies_flag = 'ON'; } showCTA_flag = true; cta_enabled = (showCTA_flag && (bbccookies_flag === 'ON') ); (function(){var e=\"ckns_policy\",m=\"Thu, 01 Jan 1970 00:00:00 GMT\",k={ads:true,personalisation:true,performance:true,necessary:true};function f(p){if(f.cache[p]){return f.cache[p]}var o=p.split(\"/\"),q=[\"\"];do{q.unshift((o.join(\"/\")||\"/\"));o.pop()}while(q[0]!==\"/\");f.cache[p]=q;return q}f.cache={};function a(p){if(a.cache[p]){return a.cache[p]}var q=p.split(\".\"),o=[];while(q.length&&\"|co.uk|com|\".indexOf(\"|\"+q.join(\".\")+\"|\")===-1){if(q.length){o.push(q.join(\".\"))}q.shift()}f.cache[p]=o;return o}a.cache={};function i(o,t,p){var z=[\"\"].concat(a(window.location.hostname)),w=f(window.location.pathname),y=\"\",r,x;for(var s=0,v=z.length;s<v;s++){r=z[s];for(var q=0,u=w.length;q<u;q++){x=w[q];y=o+\"=\"+t+\";\"+(r?\"domain=\"+r+\";\":\"\")+(x?\"path=\"+x+\";\":\"\")+(p?\"expires=\"+p+\";\":\"\");bbccookies.set(y,true)}}}window.bbccookies={_setEverywhere:i,cookiesEnabled:function(){var o=\"ckns_testcookie\"+Math.floor(Math.random()*100000);this.set(o+\"=1\");if(this.get().indexOf(o)>-1){g(o);return true}return false},set:function(o){return document.cookie=o},get:function(){return document.cookie},_setPolicy:function(o){return h.apply(this,arguments)},readPolicy:function(o){return b.apply(this,arguments)},_deletePolicy:function(){i(e,\"\",m)},isAllowed:function(){return true},_isConfirmed:function(){return c()!==null},_acceptsAll:function(){var o=b();return o&&!(j(o).indexOf(\"0\")>-1)},_getCookieName:function(){return d.apply(this,arguments)},_showPrompt:function(){return(!this._isConfirmed()&&window.cta_enabled&&this.cookiesEnabled()&&!window.bbccookies_disable)}};bbccookies._getPolicy=bbccookies.readPolicy;function d(p){var o=(\"\"+p).match(/^([^=]+)(?==)/);return(o&&o.length?o[0]:\"\")}function j(o){return\"\"+(o.ads?1:0)+(o.personalisation?1:0)+(o.performance?1:0)}function h(r){if(typeof r===\"undefined\"){r=k}if(typeof arguments[0]===\"string\"){var o=arguments[0],q=arguments[1];if(o===\"necessary\"){q=true}r=b();r[o]=q}else{if(typeof arguments[0]===\"object\"){r.necessary=true}}var p=new Date();p.setYear(p.getFullYear()+1);p=p.toUTCString();bbccookies.set(e+\"=\"+j(r)+\";domain=bbc.co.uk;path=/;expires=\"+p+\";\");bbccookies.set(e+\"=\"+j(r)+\";domain=bbc.com;path=/;expires=\"+p+\";\");return r}function l(o){if(o===null){return null}var p=o.split(\"\");return{ads:!!+p[0],personalisation:!!+p[1],performance:!!+p[2],necessary:true}}function c(){var o=new RegExp(\"(?:^|; ?)\"+e+\"=(\\\\d\\\\d\\\\d)($|;)\"),p=document.cookie.match(o);if(!p){return null}return p[1]}function b(o){var p=l(c());if(!p){p=k}if(o){return p[o]}else{return p}}function g(o){return document.cookie=o+\"=;expires=\"+m+\";\"}function n(){var o='<script type=\"text/javascript\" src=\"http://static.bbci.co.uk/frameworks/bbccookies/0.5.9/script/bbccookies.js\"><\\/script>';if(window.bbccookies_flag===\"ON\"&&!bbccookies._acceptsAll()&&!window.bbccookies_disable){document.write(o)}}n()})(); /*]]>*/</script> <script type=\"text/javascript\"> if (! window.gloader) { window.gloader = [ \"glow\", {map: \"http://node1.bbcimg.co.uk/glow/glow/map.1.7.7.js\"}]; } </script> <script type=\"text/javascript\" src=\"http://node1.bbcimg.co.uk/glow/gloader.0.1.6.js\"></script> <script type=\"text/javascript\" src=\"http://static.bbci.co.uk/frameworks/requirejs/0.13.0/sharedmodules/require.js\"></script> <script type=\"text/javascript\"> bbcRequireMap = {\"jquery-1\":\"http://static.bbci.co.uk/frameworks/jquery/0.3.0/sharedmodules/jquery-1.7.2\", \"jquery-1.4\":\"http://static.bbci.co.uk/frameworks/jquery/0.3.0/sharedmodules/jquery-1.4\", \"jquery-1.9\":\"http://static.bbci.co.uk/frameworks/jquery/0.3.0/sharedmodules/jquery-1.9.1\", \"swfobject-2\":\"http://static.bbci.co.uk/frameworks/swfobject/0.1.10/sharedmodules/swfobject-2\", \"demi-1\":\"http://static.bbci.co.uk/frameworks/demi/0.9.8/sharedmodules/demi-1\", \"gelui-1\":\"http://static.bbci.co.uk/frameworks/gelui/0.9.10/sharedmodules/gelui-1\", \"cssp!gelui-1/overlay\":\"http://static.bbci.co.uk/frameworks/gelui/0.9.10/sharedmodules/gelui-1/overlay.css\", \"istats-1\":\"http://static.bbci.co.uk/frameworks/istats/0.16.1/modules/istats-1\", \"relay-1\":\"http://static.bbci.co.uk/frameworks/relay/0.2.4/sharedmodules/relay-1\", \"clock-1\":\"http://static.bbci.co.uk/frameworks/clock/0.1.9/sharedmodules/clock-1\", \"canvas-clock-1\":\"http://static.bbci.co.uk/frameworks/clock/0.1.9/sharedmodules/canvas-clock-1\", \"cssp!clock-1\":\"http://static.bbci.co.uk/frameworks/clock/0.1.9/sharedmodules/clock-1.css\", \"jssignals-1\":\"http://static.bbci.co.uk/frameworks/jssignals/0.3.6/modules/jssignals-1\", \"jcarousel-1\":\"http://static.bbci.co.uk/frameworks/jcarousel/0.1.10/modules/jcarousel-1\"}; require({ baseUrl: 'http://static.bbci.co.uk/', paths: bbcRequireMap, waitSeconds: 30 }); </script> <script type=\"text/javascript\" src=\"http://static.bbci.co.uk/frameworks/barlesque/2.45.9/desktop/3.5/script/barlesque.js\"></script>\n \n<!--[if IE 6]>\n <script type=\"text/javascript\">\n try {\n document.execCommand(\"BackgroundImageCache\",false,true);\n } catch(e) {}\n </script>\n <style type=\"text/css\">\n /* Use filters for IE6 */\n #blq-blocks a {\n background-image: none;\n filter: progid:DXImageTransform.Microsoft.AlphaImageLoader(src='http://static.bbci.co.uk/frameworks/barlesque/2.45.9/desktop/3.5//img/blq-blocks_white_alpha.png', sizingMethod='image');\n }\n .blq-masthead-focus #blq-blocks a,\n .blq-mast-text-dark #blq-blocks a {\n background-image: none;\n filter: progid:DXImageTransform.Microsoft.AlphaImageLoader(src='http://static.bbci.co.uk/frameworks/barlesque/2.45.9/desktop/3.5//img/blq-blocks_grey_alpha.png', sizingMethod='image');\n }\n #blq-nav-search button span {\n background-image: none;\n filter: progid:DXImageTransform.Microsoft.AlphaImageLoader(src='http://static.bbci.co.uk/frameworks/barlesque/2.45.9/desktop/3.5//img/blq-search_grey_alpha.png', sizingMethod='image');\n }\n #blq-nav-search button img {\n position: absolute;\n left: -999em; \n }\n </style>\n<![endif]-->\n\n<!--[if (IE 7])|(IE 8)>\n <style type=\"text/css\">\n .blq-clearfix {\n display: inline-block;\n }\n </style>\n<![endif]-->\n\n<script type=\"text/javascript\">\n blq.setEnvironment('live'); if (blq.setLabel) blq.setLabel('searchSuggestion', \"Search\"); if (! /bbc\\.co\\.uk$/i.test(window.location.hostname) ) { document.documentElement.className += ' blq-not-bbc-co-uk'; } </script>\n\n <script type=\"text/javascript\"> if (! window.gloader) { window.gloader = [ \"glow\", {map: \"http://node1.bbcimg.co.uk/glow/glow/map.1.7.7.js\"}]; } </script>\r\n <!-- BBCDOTCOM template:server-side journalismVariant: true ipIsAdvertiseCombined: true adsEnabled: false showDotcom: true flagpole: ON -->\r\n \n\t\n\r\n \r\n\t\t<!-- shared/head -->\r\n<meta http-equiv=\"imagetoolbar\" content=\"no\" />\r\n<!--[if !(lt IE 6)]>\r\n \t<link rel=\"stylesheet\" type=\"text/css\" href=\"http://news.bbcimg.co.uk/view/3_0_16/cream/hi/shared/type.css\" />\r\n\r\n\r\n\t\t<link rel=\"stylesheet\" type=\"text/css\" media=\"screen\" href=\"http://news.bbcimg.co.uk/view/3_0_16/cream/hi/shared/global.css\" />\r\n\r\n\r\n\t<link rel=\"stylesheet\" type=\"text/css\" media=\"print\" href=\"http://news.bbcimg.co.uk/view/3_0_16/cream/hi/shared/print.css\" />\r\n\r\n\t<link rel=\"stylesheet\" type=\"text/css\" media=\"screen and (max-device-width: 976px)\" href=\"http://news.bbcimg.co.uk/view/3_0_16/cream/hi/shared/mobile.css\" />\r\n\t\r\n\r\n\r\n\r\n<link rel=\"stylesheet\" type=\"text/css\" href=\"http://news.bbcimg.co.uk/view/3_0_16/cream/hi/shared/components/components.css\" />\r\n\r\n<![endif]-->\r\n<!--[if !IE]>-->\r\n \t<link rel=\"stylesheet\" type=\"text/css\" href=\"http://news.bbcimg.co.uk/view/3_0_16/cream/hi/shared/type.css\" />\r\n\r\n\r\n\t\t<link rel=\"stylesheet\" type=\"text/css\" media=\"screen\" href=\"http://news.bbcimg.co.uk/view/3_0_16/cream/hi/shared/global.css\" />\r\n\r\n\r\n\t<link rel=\"stylesheet\" type=\"text/css\" media=\"print\" href=\"http://news.bbcimg.co.uk/view/3_0_16/cream/hi/shared/print.css\" />\r\n\r\n\t<link rel=\"stylesheet\" type=\"text/css\" media=\"screen and (max-device-width: 976px)\" href=\"http://news.bbcimg.co.uk/view/3_0_16/cream/hi/shared/mobile.css\" />\r\n\t\r\n\r\n\r\n\r\n<link rel=\"stylesheet\" type=\"text/css\" href=\"http://news.bbcimg.co.uk/view/3_0_16/cream/hi/shared/components/components.css\" />\r\n\r\n<!--<![endif]-->\r\n<script type=\"text/javascript\">\r\n/*<![CDATA[*/\r\ngloader.load([\"glow\",\"1\",\"glow.dom\"],{onLoad:function(glow){glow.dom.get(\"html\").addClass(\"blq-js\")}});\r\ngloader.load([\"glow\",\"1\",\"glow.dom\"],{onLoad:function(glow){glow.ready(function(){if (glow.env.gecko){var gv = glow.env.version.split(\".\");for (var i=gv.length;i<4;i++){gv[i]=0;}if((gv[0]==1 && gv[1]==9 && gv[2]==0)||(gv[0]==1 && gv[1]<9)||(gv[0]<1)){glow.dom.get(\"body\").addClass(\"firefox-older-than-3-5\");}}});}});\r\n\r\nwindow.disableFacebookSDK=true;\r\nif (window.location.pathname.indexOf('+')>=0){window.disableFacebookSDK=true;}\r\n\r\n/*]]>*/\r\n</script>\r\n<script type=\"text/javascript\" src=\"http://news.bbcimg.co.uk/js/locationservices/locator/v4_0/locator.js\"></script>\r\n\n<script type=\"text/javascript\" src=\"http://news.bbcimg.co.uk/js/core/3_3_1/bbc_fmtj.js\"></script>\n\n<script type=\"text/javascript\">\n<!--\n\tbbc.fmtj.page = {\n\t\tserverTime: 1370440272000,\n\t\teditionToServe: 'international',\n\t\tqueryString: null,\n\t\treferrer: null,\n\t\tsection: 'us-and-canada',\n\t\tsectionPath: '/World/US and Canada',\n\t\tsiteName: 'BBC News',\n\t\tsiteToServe: 'news',\n\t\tsiteVersion: 'cream',\n\t\tstoryId: '22461506',\n\t\tassetType: 'story',\n\t\turi: '/news/world-us-canada-22461506',\n\t\tcountry: 'dk',\n\t\tmasthead: false,\n\t\tadKeyword: null,\n\t\ttemplateVersion: 'v1_0'\n\t}\n-->\n</script>\n<script type=\"text/javascript\" src=\"http://news.bbcimg.co.uk/js/common/3_2_1/bbc_fmtj_common.js\"></script>\n\n\n<script type=\"text/javascript\">$useMap({map:\"http://news.bbcimg.co.uk/js/map/map_0_0_33.js\"});</script>\n<script type=\"text/javascript\">$loadView(\"0.0\",[\"bbc.fmtj.view\"]);</script>\n<script type=\"text/javascript\">$render(\"livestats-heatmap\");</script>\n\n\n<script type=\"text/javascript\" src=\"http://news.bbcimg.co.uk/js/config/apps/4_7_2/bbc_fmtj_config.js\"></script>\n\n\n\r\n\r\n<script type=\"text/javascript\">\r\n //<![CDATA[\r\n require(['jquery-1'], function($){\r\n \r\n // set up EMP once it's loaded\r\n var setUp = function(){\r\n // use our own pop out page\r\n \t embeddedMedia.setPopoutUrl('/player/emp/2_0_55/popout/pop.stm');\r\n\r\n \t // store EMP's notifyParent function\r\n \t var oldNotifyParent = embeddedMedia.console.notifyParent;\r\n \t // use our own to add livestats to popout\r\n \t embeddedMedia.console.notifyParent = function(childWin){\r\n \t oldNotifyParent(childWin);\r\n \t // create new live stats url\r\n var liveStatsUrl = bbc.fmtj.av.emp.liveStatsForPopout($('#livestats').attr('src'));\r\n var webBug = $('<img />', {\r\n id: 'livestats',\r\n src: liveStatsUrl\r\n });\r\n // append it to popout\r\n $(childWin.document).find('body').append(webBug);\r\n }\r\n }\r\n \r\n // check if console is available to manipulate\r\n if(window.embeddedMedia && window.embeddedMedia.console){\r\n setUp();\r\n }\r\n // otherwise emp is still loading, so add event listener\r\n else{\r\n $(document).bind('empReady', function(){\r\n setUp();\r\n });\r\n }\r\n });\r\n //]]>\r\n</script>\r\n\r\n\r\n\t\t\r\n\t<!-- get BUMP from cdn -->\r\n <script type=\"text/javascript\" src=\"http://emp.bbci.co.uk/emp/bump?emp=worldwide&amp;enableClear=1\"></script>\r\n\r\n<!-- load glow and required modules -->\r\n<script type=\"text/javascript\">\r\n //<![CDATA[\r\n gloader.load(['glow', '1', 'glow.dom']);\r\n //]]>\r\n</script>\r\n\r\n\r\n\r\n\t<!-- pull in our emp code -->\r\n\t<script type=\"text/javascript\" src=\"http://news.bbcimg.co.uk/js/app/av/emp/2_0_55/emp.js\"></script>\r\n\t<!-- pull in compatibility.js -->\r\n\t<script type=\"text/javascript\" src=\"http://news.bbcimg.co.uk/js/app/av/emp/2_0_55/compatibility.js\"></script>\r\n\r\n\r\n<script type=\"text/javascript\">\r\n\t//<![CDATA[\r\n\t \r\n\t\r\n\t \r\n\t \r\n\t \r\n\t\r\n\t \r\n\t \r\n\t \r\n\t\r\n\t // set site specific config\r\n\t \r\n\t bbc.fmtj.av.emp.configs.push('news');\r\n\t \r\n\t \r\n\t // when page loaded, write all created emps\r\n\t glow.ready(function(){\r\n\t\t\tif(typeof bbcdotcom !== 'undefined' && bbcdotcom.av && bbcdotcom.av.emp){\r\n\t\t\t\tbbcdotcom.av.emp.configureAll();\r\n\t\t\t}\r\n\t\t\tembeddedMedia.each(function(emp){\r\n\t\t\t\temp.set('enable3G', true);\r\n\t\t\t\temp.setMediator('href', '{protocol}://{host}/mediaselector/5/select/version/2.0/mediaset/{mediaset}/vpid/{id}');\t\t\t\t\t\t\r\n\t\t\t});\r\n\t\t\tembeddedMedia.writeAll();\r\n\t // mark the emps as loaded\r\n\t bbc.fmtj.av.emp.loaded = true;\r\n\t\t\t\r\n\t\t\t\r\n\t });\r\n\t//]]>\r\n</script>\r\n<!-- Check for advertising testing -->\r\n\r\n<meta name=\"viewport\" content=\"width = 996\" />\r\n\r\n\r\n\r\n <!-- shared/head_story -->\n<!-- THESE STYLESHEETS VARY ACCORDING TO PAGE CONTENT -->\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t \n\n<link rel=\"stylesheet\" type=\"text/css\" media=\"screen\" href=\"http://news.bbcimg.co.uk/view/3_0_16/cream/hi/shared/layout/story.css\" />\n<link rel=\"stylesheet\" type=\"text/css\" media=\"screen\" href=\"http://news.bbcimg.co.uk/view/3_0_16/cream/hi/shared/story.css\" />\n\n\n<!-- js story view -->\n<script type=\"text/javascript\">$loadView(\"0.0\",[\"bbc.fmtj.view.news.story\"]);</script>\n\n<!-- EMP -->\n<script type=\"text/javascript\" src=\"http://news.bbc.co.uk/js/app/av/emp/compatibility.js\"></script>\n<!-- /EMP -->\r\n\r\n \r\n <!-- #CREAM hi news international include head.inc --> \r\n <!-- is suitable for ads adding isadvertise ... -->\r\n\t\t\t\r\n\r\n\t\t\t \r\n\r\n\t\t\t\r\n\t\r\n\t\r\n<script type=\"text/javascript\">/*<![CDATA[*/if(bbcdotcom===undefined){var bbcdotcom={}}bbcdotcom.objects=function(d,e,f){var b,c,a;b=d.split(\".\");if(e===undefined){e=\"valid\"}if(f===undefined){f=window}for(c=0,a=b.length;c<a;c++){if(f[b[c]]===undefined){if(e===\"create\"){f[b[c]]={}}else{return false}}f=f[b[c]]}return f};bbcdotcom.objects(\"bbcdotcom.stats\",\"create\");if(BBC===undefined){var BBC={}}if(BBC.adverts===undefined){BBC.adverts={setZone:function(){},configure:function(){},write:function(){},show:function(){},isActive:function(){return false},setScriptRoot:function(){},setImgRoot:function(){},getAdvertTag:function(){},getSectionPath:function(){}}};/*]]>*/</script>\n<meta name=\"application-name\" content=\"BBC\"/>\n<meta name=\"msapplication-tooltip\" content=\"Explore the BBC, for latest news, sport and weather, TV &amp; radio schedules and highlights, with nature, food, comedy, children's programmes and much more\"/>\n\n\t<meta name=\"msapplication-starturl\" content=\"http://www.bbc.com/news/?ocid=global-news-pinned-ie9\"/>\n\n<meta name=\"msapplication-window\" content=\"width=1024;height=768\"/>\n<meta name=\"msapplication-task\" content=\"name=BBC Home;action-uri=http://www.bbc.com/?ocid=global-homepage-pinned-ie9;icon-uri=http://news.bbcimg.co.uk/shared/img/bbccom/favicon_16.ico\" />\n<meta name=\"msapplication-task\" content=\"name=BBC News;action-uri=http://www.bbc.com/news/?ocid=global-news-pinned-ie9;icon-uri=http://news.bbcimg.co.uk/shared/img/bbccom/favicon_16.ico\" />\n<meta name=\"msapplication-task\" content=\"name=BBC Sport;action-uri=http://www.bbc.com/sport/0/?ocid=global-sport-pinned-ie9;icon-uri=http://news.bbcimg.co.uk/shared/img/bbccom/favicon_16.ico\" />\n<meta name=\"msapplication-task\" content=\"name=BBC Future;action-uri=http://www.bbc.com/future?ocid=global-future-pinned-ie9;icon-uri=http://news.bbcimg.co.uk/shared/img/bbccom/favicon_16.ico\" />\n<meta name=\"msapplication-task\" content=\"name=BBC Travel;action-uri=http://www.bbc.com/travel?ocid=global-travel-pinned-ie9;icon-uri=http://news.bbcimg.co.uk/shared/img/bbccom/favicon_16.ico\" />\n<meta name=\"msapplication-task\" content=\"name=BBC Weather;action-uri=http://www.bbc.co.uk/weather/?ocid=global-weather-pinned-ie9;icon-uri=http://news.bbcimg.co.uk/shared/img/bbccom/favicon_16.ico\" />\n\r\n<!-- BBCCOM Server-side -->\r\n\r\n<link href=\"http://news.bbcimg.co.uk/css/screen/shared/0.3.183/3pt_ads.css\" rel=\"stylesheet\" type=\"text/css\" />\r\n<script type=\"text/javascript\" src=\"http://news.bbcimg.co.uk/js/app/bbccom/0.3.183/bbccom.js\"></script>\r\n<script type=\"text/javascript\">/*<![CDATA[*/\r\n bbcdotcom.page = {\r\n edition: '(none)',\r\n url: '/news/world-us-canada-22461506',\r\n zone: '3pt_zone_file',\r\n http_host: 'www.bbc.co.uk'\r\n };\r\n \r\n/*]]>*/</script>\r\n<script type=\"text/javascript\">/*<![CDATA[*/(function(){switch(bbcdotcom.page.url){case\"/\":case\"/default.stm\":bbcdotcom.page.url=(bbcdotcom.page.edition===\"domestic\")?\"/1/hi/default.stm\":\"/2/hi/default.stm\";break;case\"/sport\":case\"/sport/\":case\"/sport/default.stm\":bbcdotcom.page.url=(bbcdotcom.page.edition===\"domestic\")?\"/sport1/hi/default.stm\":\"/sport2/hi/default.stm\";break}if(bbcdotcom.page.bddUseLatestFromTest){BBC.adverts.setScriptRoot(\"http://wwwpreview.test.newsonline.tc.nca.bbc.co.uk/js/app/bbccom/\"+bbcdotcom.latest_version+\"/\")}else{BBC.adverts.setScriptRoot(\"http://news.bbcimg.co.uk/js/app/bbccom/0.3.183/\")}BBC.adverts.setImgRoot(\"http://news.bbcimg.co.uk/shared/img/bbccom/\");BBC.adverts.init({domain:bbcdotcom.page.http_host,location:bbcdotcom.page.url,zoneVersion:bbcdotcom.page.zone,zoneReferrer:document.referrer})}());if(BBC.adverts.getV6Gvl3()&&\"undefined\"!==typeof bbcdotcom.page.bddUseLatestFromTest){document.write(unescape('%3Cscript type=\"text/javascript\" src=\"http://wwwpreview.test.newsonline.tc.nca.bbc.co.uk/js/app/bbccom/'+bbcdotcom.latest_version+'/advert.js\"'))}else{if(BBC.adverts.getV6Gvl3()){document.write(unescape('%3Cscript type=\"text/javascript\" src=\"http://news.bbcimg.co.uk/js/app/bbccom/0.3.183/advert.js\"%3E%3C/script%3E'))}}if(/[?|&]metadata=yes(&|$)/.test(window.location.search)){document.write(\"http://www.test.bbc.com/wwscripts/metadata?bbcdotcom_asset=\"+window.location.hostname+window.location.pathname)};/*]]>*/</script>\r\n\r\n \t\r\n \n\n\t\n\t\n\r\n \r\n\r\n<script type=\"text/javascript\">\r\n\tif(typeof BBC.adverts != 'undefined' && typeof BBC.adverts.setPageVersion != 'undefined'){\r\n\t\tBBC.adverts.setPageVersion('(none)');\r\n\t}\r\n</script>\r\n\r\n \r\n \r\n\r\n \t\t<!-- hi/news/head_last.inc -->\r\n\r\n<link rel=\"stylesheet\" type=\"text/css\" media=\"screen\" href=\"http://news.bbcimg.co.uk/view/1_4_38/cream/hi/news/skin.css\" />\r\n\r\n\r\n\r\n\t\r\n\t\t<script type=\"text/javascript\">\r\n if(bbcdotcom.objects('BBC.adverts.getAdvertTag')) {\r\n gloader.load([\"glow\",\"1\",\"glow.dom\"],{onLoad: function(glow){\r\n glow.ready(function(){\r\n if(bbcdotcom.objects('BBC.adverts.getAdvertTag')) {\r\n var adImageUrl = BBC.adverts.getAdvertTag('printableversionsponsorship','','standardUri');\r\n\r\n if (glow.env.ie ) {\r\n window.onbeforeprint = function(){\r\n var printAdvert = glow.dom.get(\"#print-advert\");\r\n if (printAdvert.get(\"img\").length == 0)\r\n {\r\n printAdvert.append('<img src=\"'+adImageUrl+'\" alt=\"\" />');\r\n }\r\n };\r\n }else{\r\n glow.dom.get(\"head\").append('<style type=\"text/css\">#print-advert {display:none};</style><style type=\"text/css\" media=\"print\">#print-advert::after{content:url('+adImageUrl+');} #print-advert{display:block;overflow:hidden;}</style>');\r\n }\r\n }\r\n });\r\n }});\r\n }\r\n\t\t</script>\r\n\t\r\n\r\n\r\n<link rel=\"apple-touch-icon\" href=\"http://news.bbcimg.co.uk/img/1_0_2/cream/hi/news/iphone.png\"/>\r\n<script type=\"text/javascript\">\r\n bbcRequireMap['module/weather'] = '/inc/specials/cream/hi/news/personalisation/weather';\r\n bbcRequireMap['module/local'] = '/inc/specials/cream/hi/news/personalisation';\r\n require({ baseUrl: 'http://static.int.bbci.co.uk/', paths: bbcRequireMap, waitSeconds: 30 });\r\n</script>\r\n<script type=\"text/javascript\">\r\nrequire([\"jquery-1\", \"istats-1\"], function ($, istats) {\r\n $(function() {\r\n istats.track('external', {region: $('.story-body'), linkLocation : 'story-body'});\r\n istats.track('external', {region: $('.story-related .related-links'), linkLocation : 'related-links'});\r\n istats.track('external', {region: $('.story-related .newstracker-list'), linkLocation : 'newstracker'});\r\n });\r\n});\r\n</script>\r\n\r\n\r\n\r\n\r\n\r\n\t\r\n \t\t\r\n\t\t\r\n\t\r\n \t\r\n \r\n\r\n<!-- CPS COMMENT STATUS: false -->\r\n\r\n\r\n\t <!--Rendered by 2036007 -->\r\n\t <link rel=\"schema.dcterms\" href=\"http://purl.org/dc/terms/\" />\r\n\t <meta name=\"DCTERMS.created\" content=\"2013-05-09T06:53:44+00:00\" />\r\n\t <meta name=\"DCTERMS.modified\" content=\"2013-05-09T20:59:04+00:00\" />\r\n </head>\r\n\r\n \t <!--[if lte IE 6]><body class=\"news ie disable-wide-advert\"><![endif]-->\r\n <!--[if IE 7]><body class=\"news ie7 disable-wide-advert\"><![endif]-->\r\n <!--[if IE 8]><body class=\"news ie8 disable-wide-advert\"><![endif]-->\r\n <!--[if !IE]>--><body class=\"news disable-wide-advert\"><!--<![endif]-->\r\n\t<div class=\"livestats-web-bug\"><img alt=\"\" id=\"livestats\" src=\"http://stats.bbc.co.uk/o.gif?~RS~s~RS~News~RS~t~RS~HighWeb_Story~RS~i~RS~22461506~RS~p~RS~99127~RS~a~RS~International~RS~u~RS~/news/world-us-canada-22461506~RS~r~RS~(none)~RS~q~RS~~RS~z~RS~12~RS~\"/></div>\r\n \n\t\r\n <!-- BBCDOTCOM body first include -->\r\n \r\n\r\n<script type=\"text/javascript\">BBC.adverts.write(\"wallpaper\",false);</script>\r\n<script type=\"text/javascript\">/*<![CDATA[*/BBC.adverts.wallpaperBodyTag=document.getElementsByTagName(\"body\");BBC.adverts.wallpaperATag=document.getElementsByTagName(\"a\");if(\"undefined\"!=typeof BBC.adverts.wallpaperATag&&\"undefined\"!=typeof BBC.adverts.wallpaperATag[0]&&\"undefined\"!=typeof BBC.adverts.wallpaperBodyTag&&\"undefined\"!=typeof BBC.adverts.wallpaperBodyTag[0]&&-1!==BBC.adverts.wallpaperATag[0].href.indexOf(\"http://ad.doubleclick.net\")){BBC.adverts.wallpaperBodyTag[0].removeChild(BBC.adverts.wallpaperATag[0])};/*]]>*/</script>\r\n\r\n\n\t\n\t\n\n <!-- BBCDOTCOM body first spectrum -->\r\n <!-- ISTATS -->\n\n\n\n \n\n\n\n\n\n\n <script type=\"text/javascript\">/*<![CDATA[*/ bbcFlagpoles_istats = 'ON'; istatsTrackingUrl = '//sa.bbc.co.uk/bbc/bbc/s?name=news.world.us_and_canada.story.22461506.page&cps_asset_id=22461506&page_type=story&section=us-and-canada&app_version=6.2.136-RC4&first_pub=2013-05-09T06:53:44+00:00&last_editorial_update=2013-05-09T20:59:04+00:00&title=Cleveland+kidnap+accused+in+court&comments_box=false&cps_media_type=&cps_media_state=&by_nation=&app_type=web&ml_name=SSI&ml_version=0.16.1&language=en-GB'; if (window.istats_countername) { istatsTrackingUrl = istatsTrackingUrl.replace(/([?&]name=)[^&]+/ig, '$1' + istats_countername); } (function() { if ( /\\bIDENTITY=/.test(document.cookie) ) { istatsTrackingUrl += '&bbc_identity=1'; } var c = (document.cookie.match(/\\bckns_policy=(\\d\\d\\d)/)||[]).pop() || ''; istatsTrackingUrl += '&bbc_mc=' + (c? 'ad'+c.charAt(0)+'ps'+c.charAt(1)+'pf'+c.charAt(2) : 'not_set'); if ( /\\bckns_policy=\\d\\d0/.test(document.cookie) ) { istatsTrackingUrl += '&ns_nc=1'; } var screenWidthAndHeight = 'unavailable'; if (window.screen && screen.width && screen.height) { screenWidthAndHeight = screen.width + 'x' + screen.height; } istatsTrackingUrl += ('&screen_resolution=' + screenWidthAndHeight); istatsTrackingUrl += '&blq_s=3.5&blq_r=3.5&blq_v=journalism-worldwide'; })(); /*]]>*/</script> <!-- Begin iStats 20100118 (UX-CMC 1.1009.3) --> <script type=\"text/javascript\">/*<![CDATA[*/ (function() { window.istats || (istats = {}); var cookieDisabled = (document.cookie.indexOf('NO-SA=') != -1), hasCookieLabels = (document.cookie.indexOf('sa_labels=') != -1), hasClickThrough = /^#sa-(.*?)(?:-sa(.*))?$/.test(document.location.hash), runSitestat = !cookieDisabled && !hasCookieLabels && !hasClickThrough && !istats._linkTracked; if (runSitestat && bbcFlagpoles_istats === 'ON') { sitestat(istatsTrackingUrl); } else { window.ns_pixelUrl = istatsTrackingUrl; /* used by Flash library to track */ } function sitestat(n){var j=document,f=j.location,b=\"\";if(j.cookie.indexOf(\"st_ux=\")!=-1){var k=j.cookie.split(\";\");var e=\"st_ux\",h=document.domain,a=\"/\";if(typeof ns_!=\"undefined\"&&typeof ns_.ux!=\"undefined\"){e=ns_.ux.cName||e;h=ns_.ux.cDomain||h;a=ns_.ux.cPath||a}for(var g=0,f=k.length;g<f;g++){var m=k[g].indexOf(\"st_ux=\");if(m!=-1){b=\"&\"+unescape(k[g].substring(m+6))}}document.cookie=e+\"=; expires=\"+new Date(new Date().getTime()-60).toGMTString()+\"; path=\"+a+\"; domain=\"+h}ns_pixelUrl=n;n=ns_pixelUrl+\"&ns__t=\"+(new Date().getTime())+\"&ns_c=\"+((j.characterSet)?j.characterSet:j.defaultCharset)+\"&ns_ti=\"+escape(j.title)+b+\"&ns_jspageurl=\"+escape(f&&f.href?f.href:j.URL)+\"&ns_referrer=\"+escape(j.referrer);if(n.length>2000&&n.lastIndexOf(\"&\")){n=n.substring(0,n.lastIndexOf(\"&\")+1)+\"ns_cut=\"+n.substring(n.lastIndexOf(\"&\")+1,n.lastIndexOf(\"=\")).substring(0,40)}(j.images)?new Image().src=n:j.write('<p><i'+'mg src=\"'+n+'\" height=\"1\" width=\"1\" alt=\"\" /></p>')}; })(); /*]]>*/</script> <noscript><p style=\"position: absolute; top: -999em;\"><img src=\"//sa.bbc.co.uk/bbc/bbc/s?name=news.world.us_and_canada.story.22461506.page&amp;cps_asset_id=22461506&amp;page_type=story&amp;section=us-and-canada&amp;app_version=6.2.136-RC4&amp;first_pub=2013-05-09T06:53:44+00:00&amp;last_editorial_update=2013-05-09T20:59:04+00:00&amp;title=Cleveland+kidnap+accused+in+court&amp;comments_box=false&amp;cps_media_type=&amp;cps_media_state=&amp;by_nation=&amp;app_type=web&amp;ml_name=SSI&amp;ml_version=0.16.1&amp;language=en-GB&amp;blq_s=3.5&amp;blq_r=3.5&amp;blq_v=journalism-worldwide\" height=\"1\" width=\"1\" alt=\"\" /></p></noscript> <!-- End iStats (UX-CMC) --> <div id=\"blq-global\"> <div id=\"blq-pre-mast\" xml:lang=\"en-GB\"> <!-- Pre mast --> \r\n<!-- BBCDOTCOM leaderboard template:server-side journalismVariant: true ipIsAdvertiseCombined: true adsEnabled: false showDotcom: true flagpole: ON showAdAboveBlq: true blqLeaderboardAd: true -->\r\n </div> </div> <script type=\"text/html\" id=\"blq-bbccookies-tmpl\"><![CDATA[ <div id=\"bbccookies-prompt\"> <h2> Cookies on the BBC website </h2> <p> We use cookies to ensure that we give you the best experience on our website. We also use cookies to ensure we show you advertising that is relevant to you. If you continue without changing your settings, we'll assume that you are happy to receive all cookies on the BBC website. However, if you would like to, you can <a href=\"/privacy/cookies/managing/cookie-settings.html\">change your cookie settings</a> at any time. </p> <ul> <li id=\"bbccookies-continue\"> <button type=\"button\" id=\"bbccookies-continue-button\">Continue</button> </li> <li id=\"bbccookies-more\"><a href=\"/privacy/cookies/bbc\">Find out more</a></li></ul> </div> ]]></script> <script type=\"text/javascript\">/*<![CDATA[*/ (function(){if(bbccookies._showPrompt()){var i=document,b=i.getElementById(\"blq-pre-mast\"),f=i.getElementById(\"blq-global\"),h=i.getElementById(\"blq-container\"),c=i.getElementById(\"blq-bbccookies-tmpl\"),a,g,e;if(b&&i.createElement){a=i.createElement(\"div\");a.id=\"bbccookies\";e=c.innerHTML;e=e.replace(\"<\"+\"![CDATA[\",\"\").replace(\"]]\"+\">\",\"\");a.innerHTML=e;if(f){f.insertBefore(a,b)}else{h.insertBefore(a,b)}g=i.getElementById(\"bbccookies-continue-button\");g.onclick=function(){a.parentNode.removeChild(a);return false};bbccookies._setPolicy()}}})(); /*]]>*/</script> <div id=\"blq-masthead\" class=\"blq-clearfix blq-mast-bg-transparent-light blq-lang-en-GB blq-ltr\"> <span id=\"blq-mast-background\"><span></span></span> <div id=\"blq-mast\" class=\"blq-rst\"> <div id=\"blq-mast-bar\" class=\"blq-masthead-container blq-journalism-worldwide\"> <div id=\"blq-blocks\"> <a href=\"http://www.bbc.co.uk/\" hreflang=\"en-GB\"> <abbr title=\"British Broadcasting Corporation\" class=\"blq-home\"> <img src=\"http://static.bbci.co.uk/frameworks/barlesque/2.45.9/desktop/3.5/img/blq-blocks_grey_alpha.png\" alt=\"BBC\" width=\"84\" height=\"24\" /> </abbr> </a> </div> <div id=\"blq-acc-links\"> <h2 id=\"page-top\">Accessibility links</h2> <ul> <li><a href=\"#main-content\">Skip to content</a></li> <li><a href=\"#blq-local-nav\">Skip to local navigation</a></li> <li><a href=\"http://www.bbc.co.uk/accessibility/\">Accessibility Help</a></li> </ul> </div> <div id=\"blq-sign-in\" class=\"blq-gel\"> </div> <div id=\"blq-nav\"> <h2>bbc.co.uk navigation</h2> <ul id=\"blq-nav-main\"> <li id=\"blq-nav-news\"> <a href=\"http://www.bbc.com/news/\">News</a> </li> <li id=\"blq-nav-sport\"> <a href=\"http://www.bbc.co.uk/sport/\">Sport</a> </li> <li id=\"blq-nav-weather\"> <a href=\"http://www.bbc.co.uk/weather/\">Weather</a> </li> <li id=\"blq-nav-travel\"> <a href=\"http://www.bbc.com/travel/\">Travel</a> </li> <li id=\"blq-nav-culture\"> <a href=\"http://www.bbc.com/culture/\">Culture</a> </li> <li id=\"blq-nav-autos\"> <a href=\"http://www.bbc.com/autos/\">Autos</a> </li> <li id=\"blq-nav-tv\"> <a href=\"http://www.bbc.co.uk/tv/\">TV</a> </li> <li id=\"blq-nav-radio\"> <a href=\"http://www.bbc.co.uk/radio/\">Radio</a> </li> <li id=\"blq-nav-more\"> <a href=\"http://www.bbc.co.uk/a-z/\">More&hellip;</a> </li> </ul> <div id=\"blq-nav-search\"> <form method=\"get\" action=\"http://search.bbc.co.uk/search\" accept-charset=\"utf-8\" id=\"blq-search-form\"> <div> <input type=\"hidden\" name=\"go\" value=\"toolbar\" /> <input type=\"hidden\" value=\"http://www.bbc.co.uk/news/world-us-canada-22461506\" name=\"uri\" /> <input type=\"hidden\" name=\"scope\" value=\"news\" /> <label for=\"blq-search-q\" class=\"blq-hide\">Search term:</label> <input id=\"blq-search-q\" type=\"text\" name=\"q\" value=\"\" maxlength=\"128\" /> <button id=\"blq-search-btn\" type=\"submit\"><span><img src=\"http://static.bbci.co.uk/frameworks/barlesque/2.45.9/desktop/3.5/img/blq-search_grey_alpha.png\" width=\"13\" height=\"13\" alt=\"Search\"/></span></button> </div> </form> </div> </div> </div> </div> </div> <div id=\"blq-container-outer\" class=\"blq-journalism-worldwide blq-ltr\" > <div id=\"blq-container\" class=\"blq-lang-en-GB blq-dotcom\"> <div id=\"blq-container-inner\" xml:lang=\"en-GB\"> <div id=\"blq-main\" class=\"blq-clearfix\"> \n\t\n\r\n \t\t \t\r\n\t\t<div class=\"us-and-canada has-no-ticker \">\r\n\t\t\t<div id=\"header-wrapper\">\r\n\r\n\t\t\t \r\n \t\t \t\t\t \t\t\t\t <h2 id=\"header\">\r\n \t\t\t \t <a rel=\"index\" href=\"http://www.bbc.co.uk/news/\"><img alt=\"BBC News\" src=\"http://news.bbcimg.co.uk/img/1_0_2/cream/hi/news/news-blocks.gif\" /></a>\r\n \t \t \t \t \t\t<span class=\"section-title\">US &amp; Canada</span>\r\n \t \t \t \t\t \t\t \t\t\t\t </h2>\r\n \t\t\t \t\t\t \r\n\t\t\t \r\n\t\t\t <div class=\"bbccom_advert_placeholder\">\r\n\t\t\t <script type=\"text/javascript\">$render(\"advert\",\"advert-sponsor-section\");</script>\r\n\t\t\t </div>\r\n\t\t\t <script type=\"text/javascript\">$render(\"advert-post-script-load\");</script>\r\n\t\t\t \r\n\t\t \r\n\r\n\t\t\t \t <div id=\"blq-local-nav\">\r\n \t <ul id=\"nav\" class=\"nav\">\r\n \t\r\n \t \t\t \t\r\n \t \t<li class=\"first-child \"><a href=\"/news/\">Home</a></li>\r\n \t\r\n \t \t \t\r\n \t \t<li><a href=\"/news/uk/\">UK</a></li>\r\n \t\r\n \t \t \t\r\n \t \t<li><a href=\"/news/world/africa/\">Africa</a></li>\r\n \t\r\n \t \t \t\r\n \t \t<li><a href=\"/news/world/asia/\">Asia</a></li>\r\n \t\r\n \t \t \t\r\n \t \t<li><a href=\"/news/world/europe/\">Europe</a></li>\r\n \t\r\n \t \t \t\r\n \t \t<li><a href=\"/news/world/latin_america/\">Latin America</a></li>\r\n \t\r\n \t \t \t\r\n \t \t<li><a href=\"/news/world/middle_east/\">Mid-East</a></li>\r\n \t\r\n \t \t \t\r\n \t \t\t<li class=\"selected\"><a href=\"/news/world/us_and_canada/\">US &amp; Canada</a></li>\r\n \t\t \t\t \t\r\n \t \t \t\r\n \t \t<li><a href=\"/news/business/\">Business</a></li>\r\n \t\r\n \t \t \t\r\n \t \t<li><a href=\"/news/health/\">Health</a></li>\r\n \t\r\n \t \t \t\r\n \t \t<li><a href=\"/news/science_and_environment/\">Sci/Environment</a></li>\r\n \t\r\n \t \t \t\r\n \t \t<li><a href=\"/news/technology/\">Tech</a></li>\r\n \t\r\n \t \t \t\r\n \t \t<li><a href=\"/news/entertainment_and_arts/\">Entertainment</a></li>\r\n \t\r\n \t \t \t\r\n \t \t<li><a href=\"/news/10462520\">Video</a></li>\r\n </ul> \r\n \r\n\t \t</div>\r\n\r\n\t\t\t \r\n\t </div>\r\n\t <!-- START CPS_SITE CLASS: international -->\r\n\t <div id=\"content-wrapper\" class=\"international\">\r\n\r\n\t\t\t\t\t<div class=\"advert\">\r\n\t\t\t\t\t\t\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t<div class=\"bbccom_advert_placeholder\">\r\n\t\t\t\t\t\t\t\t<script type=\"text/javascript\">$render(\"advert\",\"advert-leaderboard\");</script>\r\n\t\t\t\t\t\t\t</div>\r\n\t\t\t\t\t\t\t<script type=\"text/javascript\">$render(\"advert-post-script-load\");</script>\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t\t\t\t\t</div>\r\n <div id=\"bbccom_custom_branding\">\r\n <script type=\"text/javascript\">\r\n /*<![CDATA[*/\r\n if(typeof bbcdotcom.objects('bbcdotcom.branding.init') === 'function') {\r\n bbcdotcom.branding.init(BBC.adverts.getZoneData().zone, BBC.adverts.getAdKeyword());\r\n bbcdotcom.branding.write();\r\n }\r\n /*]]>*/\r\n </script>\r\n\t<div class=\"bbccom_advert_placeholder\">\r\n <script type=\"text/javascript\">\r\n /*<![CDATA[*/\r\n $render(\"advert\",\"advert-sponsor-subsection\");\r\n /*]]>*/\r\n </script>\r\n</div>\r\n</div>\r\n<script type=\"text/javascript\">\r\n /*<![CDATA[*/\r\n\t$render(\"advert-post-script-load\");\r\n /*]]>*/\r\n</script>\r\n \r\n\t <!-- START CPS_SITE CLASS: story -->\r\n\t <div id=\"main-content\" class=\"story blq-clearfix\">\r\n\t\t\t<!-- No EWA -->\r\n\r\n\n\n\n\t\r\n\r\n<div id=\"print-advert\">\r\n\r\n</div>\t\r\n\r\n\n\n\n\n<div class=\"layout-block-a\">\n <div class=\"story-body\"> \t\n \t\t <span class=\"story-date\">\r\n <span class=\"date\">9 May 2013</span>\r\n<span class=\"time-text\">Last updated at </span><span class=\"time\">20:59 GMT</span> \r\n</span>\r\n\r\n\t<div id=\"page-bookmark-links-head\" class=\"share-help\">\r\n <h3>Share this page</h3>\r\n <ul> \t\r\n <li class=\"delicious\">\r\n <a title=\"Post this story to Delicious\" href=\"http://del.icio.us/post?url=http://www.bbc.co.uk/news/world-us-canada-22461506&amp;title=BBC+News+-+Cleveland+kidnap+accused+Ariel+Castro+in+court\">Delicious</a>\r\n </li>\r\n <li class=\"digg\">\r\n <a title=\"Post this story to Digg\" href=\"http://digg.com/submit?url=http://www.bbc.co.uk/news/world-us-canada-22461506&amp;title=BBC+News+-+Cleveland+kidnap+accused+Ariel+Castro+in+court\">Digg</a>\r\n </li>\r\n <li class=\"facebook\">\r\n <a title=\"Post this story to Facebook\" href=\"http://www.facebook.com/sharer.php?u=http://www.bbc.co.uk/news/world-us-canada-22461506&amp;t=BBC+News+-+Cleveland+kidnap+accused+Ariel+Castro+in+court\">Facebook</a>\r\n </li>\r\n <li class=\"reddit\">\r\n <a title=\"Post this story to reddit\" href=\"http://reddit.com/submit?url=http://www.bbc.co.uk/news/world-us-canada-22461506&amp;title=BBC+News+-+Cleveland+kidnap+accused+Ariel+Castro+in+court\">reddit</a>\r\n </li>\r\n <li class=\"stumbleupon\">\r\n <a title=\"Post this story to StumbleUpon\" href=\"http://www.stumbleupon.com/submit?url=http://www.bbc.co.uk/news/world-us-canada-22461506&amp;title=BBC+News+-+Cleveland+kidnap+accused+Ariel+Castro+in+court\">StumbleUpon</a>\r\n </li>\r\n <li class=\"twitter\">\r\n <a title=\"Post this story to Twitter\" href=\"http://twitter.com/home?status=BBC+News+-+Cleveland+kidnap+accused+Ariel+Castro+in+court+http://www.bbc.co.uk/news/world-us-canada-22461506\">Twitter</a>\r\n </li>\r\n <li class=\"email\">\r\n <a title=\"Email this story\" href=\"http://newsvote.bbc.co.uk/mpapps/pagetools/email/www.bbc.co.uk/news/world-us-canada-22461506\">Email</a>\r\n </li>\r\n <li class=\"print\">\r\n <a title=\"Print this story\" href=\"?print=true\">Print</a>\r\n </li>\r\n </ul>\r\n<!-- Social media icons by Paul Annet | http://nicepaul.com/icons -->\r\n</div>\r\n<script type=\"text/javascript\"> \r\n<!--\r\n$render(\"page-bookmark-links\",\"page-bookmark-links-head\",{\r\n useForgeShareTools:\"true\",\r\n position:\"top\",\r\n site:'News', \r\n headline:'BBC News - Cleveland kidnap accused Ariel Castro in court', \r\n storyId:'22461506', \r\n sectionId:'99127', \r\n url:'http://www.bbc.co.uk/news/world-us-canada-22461506', \r\n edition:'International'\r\n}); \r\n-->\r\n</script>\r\n\r\n\r\n\r\n\r\n\r\n\t<h1 class=\"story-header\">Cleveland kidnap accused Ariel Castro in court</h1>\r\n\r\n \r\n \r\n \n \n \t\t\n\t\t \n <!-- Embedding the video player -->\r\n<!-- This is the embedded player component -->\r\n\r\n\r\n\t\r\n \r\n\r\n\r\n\r\n<!-- wwrights check -->\r\n<!-- Empty country is used on test environment -->\r\n\r\n\r\n\r\n<div class=\"videoInStoryB\">\r\n <div id=\"emp-22466860-772\" class=\"emp\">\r\n \r\n\t\t\r\n <noscript>\r\n <div class=\"warning\">\r\n <img class=\"holding\" src=\"http://news.bbcimg.co.uk/media/images/67503000/jpg/_67503650_67503649.jpg\" alt=\"Ariel Castro in court\" />\r\n <p><strong>Please turn on JavaScript.</strong> Media requires JavaScript to play.</p>\r\n </div>\r\n </noscript>\r\n <object width=\"0\" height=\"0\">\r\n <param name=\"id\" value=\"embeddedPlayer_22466860\" />\r\n <param name=\"width\" value=\"448\" />\r\n <param name=\"height\" value=\"252\" /> \r\n <param name=\"size\" value=\"Large\" />\r\n\t\t\t\t\t<param name=\"holdingImage\" value=\"http://news.bbcimg.co.uk/media/images/67503000/jpg/_67503650_67503649.jpg\" />\r\n\t\t\t\t\t\t\t<param name=\"externalIdentifier\" value=\"p018vk75\" />\r\n\t\t <param name=\"playlist\" value=\"http://playlists.bbc.co.uk/news/world-us-canada-22466860A/playlist.sxml\" />\r\n <param name=\"config_settings_autoPlay\" value=\"false\" />\r\n <param name=\"config_settings_showPopoutButton\" value=\"false\" />\r\n <param name=\"config_plugin_fmtjLiveStats_pageType\" value=\"eav2\" />\r\n <param name=\"config_plugin_fmtjLiveStats_edition\" value=\"International\" />\r\n\t\t\t\r\n\t\t <param name=\"fmtjDocURI\" value=\"/news/world-us-canada-22461506\"/>\r\n \r\n <param name=\"companionId\" value=\"bbccom_companion_22466860\" />\r\n \r\n <param name=\"config_settings_showShareButton\" value=\"true\" />\r\n <param name=\"config_settings_showUpdatedInFooter\" value=\"true\" />\r\n </object>\r\n <!-- embedding script -->\r\n \r\n <script type=\"text/javascript\">\n //<![CDATA[\n (function(){\n // create a new player, but don't write it yet\n var emp = new bbc.fmtj.av.emp.Player('emp-22466860-772');\n // if the emps have already been loaded, we need to call the write method manually\n if(bbc.fmtj.av.emp.loaded){\n emp.setMediator('href', '{protocol}://{host}/mediaselector/5/select/version/2.0/mediaset/{mediaset}/vpid/{id}');\n emp.write();\n }\n })();\n //]]>\n</script>\r\n </div>\r\n <!-- companion banner --> \r\n \r\n\t\t\r\n\t\t\t<div class=\"bbccom_advert_placeholder\">\r\n\t\t\t\t<script type=\"text/javascript\">$render(\"advert\",\"advert-companion\",\"22466860\");</script>\r\n\t\t\t</div>\r\n\t\t\t<script type=\"text/javascript\">$render(\"advert-post-script-load\");</script>\r\n\t\t\r\n \r\n <!-- END - companion banner --> \r\n \t\r\n \t\t<!-- caption -->\r\n\t\t<p class=\"caption\">Prosecutor Brian Murphy said Mr Castro had used the women &quot;in whatever self-gratifying, self-serving way he saw fit&#039;&#039;.</p>\r\n\t\t<!-- END - caption -->\r\n \r\n\t\t\r\n\r\n</div>\r\n<!-- end of the embedded player component -->\r\n\r\n<!-- Player embedded --><div class=\"embedded-hyper\">\r\n\t<a class=\"hidden\" href=\"#story_continues_1\">Continue reading the main story</a>\t\r\n\r\n\r\n\r\n\r\n\t\t <div class=\"hyperpuff\">\r\n\t \t \n\n\t\t\n\t\t\n\t\t\t\t\t\t\n\t\t<!-- Non specific version -->\n\t\t\n\t\n\t\t\t\t\t\t<h2>Ohio abductions</h2>\n\t\t\n\t\t\n\n\t\t \t <ul>\n\t \t \t\n\t \r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<li>\r\n\t<a class=\"story\" rel=\"published-1368013107816\" href=\"/news/world-us-canada-22446157\">Mystery of &#039;kidnap den&#039;</a>\r\n\r\n\t\t</li>\r\n\n\t\t\n\t \t \t\n\t \r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<li>\r\n\t<a class=\"story\" rel=\"published-1367979654142\" href=\"/news/world-us-canada-22444882\">Profile: Ariel Castro</a>\r\n\r\n\t\t</li>\r\n\n\t\t\n\t \t \t\n\t \r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<li>\r\n\t<a class=\"story\" rel=\"published-1368066883996\" href=\"/news/magazine-22441124\">Missing White Woman syndrome</a>\r\n\r\n\t\t</li>\r\n\n\t\t\n\t \t \t\n\t \r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<li>\r\n\t<a class=\"story\" rel=\"published-1367928792909\" href=\"/news/world-us-canada-22433057\">Profiles of women</a>\r\n\r\n\t\t</li>\r\n\n\t\t\n\t \t </ul>\n \n\n\n\t\t\n\t\n\r\n\t \t </div>\r\n\t\r\n</div> <p class=\"introduction\" id=\"story_continues_1\">The man accused of imprisoning three women for about a decade in the US city of Cleveland has made his first court appearance.</p>\r\n <p>Ariel Castro, 52, is charged with kidnap and rape. He did not enter a plea.</p>\r\n <p>Bail was set at $8m (£5.1m), meaning in effect that he will remain in custody.</p>\r\n <p>The women were abducted at different times and held in Mr Castro&#039;s house. One of those held, Amanda Berry, 27, escaped on Monday and raised the alarm.</p>\r\n <p>The other women freed soon afterwards were Gina DeJesus, 23, and Michelle Knight, 32. </p>\r\n <span class=\"cross-head\">'Premeditated, depraved'</span>\r\n\t <p>Mr Castro, handcuffed and dressed in blue overalls, remained silent and looked down while lawyers spoke to the judge at Cleveland Municipal Court on Thursday.</p>\r\n <!-- Embedding the video player -->\r\n<!-- This is the embedded player component -->\r\n\r\n\r\n\t\r\n \r\n\r\n\r\n\r\n<!-- wwrights check -->\r\n<!-- Empty country is used on test environment -->\r\n\r\n\r\n\r\n<div class=\"videoInStoryC\">\r\n <div id=\"emp-22470579-773\" class=\"emp\">\r\n \r\n\t\t\r\n <noscript>\r\n <div class=\"warning\">\r\n <img class=\"holding\" src=\"http://news.bbcimg.co.uk/media/images/67506000/jpg/_67506773_castro.jpg\" alt=\"Arlene Castro on Good Morning America\" />\r\n <p><strong>Please turn on JavaScript.</strong> Media requires JavaScript to play.</p>\r\n </div>\r\n </noscript>\r\n <object width=\"0\" height=\"0\">\r\n <param name=\"id\" value=\"embeddedPlayer_22470579\" />\r\n <param name=\"width\" value=\"320\" />\r\n <param name=\"height\" value=\"180\" /> \r\n <param name=\"size\" value=\"Small\" />\r\n\t\t\t\t\t<param name=\"holdingImage\" value=\"http://news.bbcimg.co.uk/media/images/67506000/jpg/_67506773_castro.jpg\" />\r\n\t\t\t\t\t\t\t<param name=\"externalIdentifier\" value=\"p018tqdx\" />\r\n\t\t <param name=\"playlist\" value=\"http://playlists.bbc.co.uk/news/world-us-canada-22470579A/playlist.sxml\" />\r\n <param name=\"config_settings_autoPlay\" value=\"false\" />\r\n <param name=\"config_settings_showPopoutButton\" value=\"false\" />\r\n <param name=\"config_plugin_fmtjLiveStats_pageType\" value=\"eav2\" />\r\n <param name=\"config_plugin_fmtjLiveStats_edition\" value=\"International\" />\r\n\t\t\t\r\n\t\t <param name=\"fmtjDocURI\" value=\"/news/world-us-canada-22461506\"/>\r\n \r\n <param name=\"companionId\" value=\"bbccom_companion_22470579\" />\r\n \r\n <param name=\"config_settings_showShareButton\" value=\"true\" />\r\n <param name=\"config_settings_showUpdatedInFooter\" value=\"true\" />\r\n </object>\r\n <!-- embedding script -->\r\n \r\n <script type=\"text/javascript\">\n //<![CDATA[\n (function(){\n // create a new player, but don't write it yet\n var emp = new bbc.fmtj.av.emp.Player('emp-22470579-773');\n // if the emps have already been loaded, we need to call the write method manually\n if(bbc.fmtj.av.emp.loaded){\n emp.setMediator('href', '{protocol}://{host}/mediaselector/5/select/version/2.0/mediaset/{mediaset}/vpid/{id}');\n emp.write();\n }\n })();\n //]]>\n</script>\r\n </div>\r\n <!-- companion banner --> \r\n \r\n\t\t\r\n\t\t\t<div class=\"bbccom_advert_placeholder\">\r\n\t\t\t\t<script type=\"text/javascript\">$render(\"advert\",\"advert-companion\",\"22470579\");</script>\r\n\t\t\t</div>\r\n\t\t\t<script type=\"text/javascript\">$render(\"advert-post-script-load\");</script>\r\n\t\t\r\n \r\n <!-- END - companion banner --> \r\n \t\r\n \t\t<!-- caption -->\r\n\t\t<p class=\"caption\">Ariel Castro&#039;s daughter breaks down as she apologises to the victims</p>\r\n\t\t<!-- END - caption -->\r\n \r\n\t\t\r\n\r\n</div>\r\n<!-- end of the embedded player component -->\r\n\r\n<!-- Player embedded --> <p>County prosecutor Brian Murphy told the court: &quot;The charges against Mr Castro are based on premeditated, deliberate, depraved decisions to snatch three young ladies from Cleveland West Side streets to be used in whatever self-gratifying, self-serving way he saw fit.&quot;</p>\r\n <p>He is charged with four counts of kidnapping, covering the three initial abduction victims and Jocelyn, Ms Berry&#039;s six-year-old daughter, who was apparently conceived and born in captivity. </p>\r\n <p>The former school bus driver also faces three counts of rape, one against each woman. More charges may be added, officials have said.</p>\r\n <p>Two of Mr Castro&#039;s brothers, Pedro and Onil, were also arrested, but police found no evidence they were involved in the crime. </p>\r\n <p>They appeared in court alongside Ariel Castro on unrelated minor charges. Pedro Castro was fined $100 for public drinking, while two charges against Onil Castro were dropped.</p>\r\n <span class=\"cross-head\">Death penalty possible</span>\r\n\t <p>Prosecutor Tim McGinty said on Thursday he would to seek aggravated murder charges against Mr Castro, and could even seek the death penalty against the former school bus driver.</p>\r\n <p>He told a news conference that murder charges would be based on evidence from one of the women held captive in Mr Castro&#039;s house that he had impregnated her, then physically abused and starved her in order to induce miscarriages.</p>\r\n <div class=\"story-feature wide \">\r\n\t<a class=\"hidden\" href=\"#story_continues_2\">Continue reading the main story</a>\t\t<h2>At the scene</h2>\r\n\t\t<!-- pullout-items-->\r\n\t<div class=\"byline\">\r\n\t\t<span class=\"byline-picture\"><img src=\"http://news.bbcimg.co.uk/media/images/48378000/jpg/_48378746_pauladams.jpg\" alt=\"image of Paul Adams\" /></span>\r\n\t\t<span class=\"byline-name\">Paul Adams</span>\r\n\t<span class=\"byline-title\">BBC News</span>\r\n\t<hr />\r\n</div>\r\n\t<!-- pullout-body-->\r\n\t <p>Ariel Castro came into the Cleveland courtroom with his head down, as if trying to bury his face in the collar of his blue prison jumpsuit. </p>\r\n <p>The small, wood-panelled courtroom was crowded and hot as a phalanx of cameras focused on the man accused of a litany of horrors. Ariel Castro never looked up as the prosecutor described the terrible crimes he is accused of.</p>\r\n <p>Three days ago, he casually went to mow his mother&#039;s lawn before drinking with his brother. Now, long before his trial, lurid accounts of the crimes he&#039;s accused of perpetrating on his three victims have flashed across the world. His home is a house of horrors and he, as the cover of a Cleveland magazine puts it, is already a &quot;monster&quot;.</p>\r\n \r\n\t<!-- pullout-links-->\r\n\t</div> <p id=\"story_continues_2\">&quot;This child kidnapper operated a torture chamber and private prison in the heart of our city,&quot; Mr McGinity said.</p>\r\n <p>Ariel Castro has been put on suicide watch and will be kept in isolation, his court-appointed lawyer Kathleen DeMetz told reporters.</p>\r\n <p>The three women were all abducted after accepting rides from Mr Castro, according to a police report leaked to the media.</p>\r\n <p>On Thursday, Mr Castro&#039;s daughter, Arlene, who was one of the last people to see Gina DeJesus before she disappeared in 2004 aged 14, wept during a TV interview.</p>\r\n <p>Describing herself as &quot;disappointed, embarrassed, mainly devastated&quot;, she apologised to Ms DeJesus.</p>\r\n <p>The women told officials they could only remember being outside twice during their time in captivity. </p>\r\n <p>Cleveland City Councilman Brian Cummins said the women had told police they had only gone as far as a garage on the property, disguised in wigs and hats.</p>\r\n <p>Mr Cummins, citing police information, said the victims had been kept apart inside the house until their captor felt he had enough control to allow them to mingle.</p>\r\n <p>A source told the BBC that one of the women was forced to help Ms Berry deliver her daughter, and was threatened with death if the child did not survive.</p>\r\n <!-- Embedding the video player -->\r\n<!-- This is the embedded player component -->\r\n\r\n\r\n\t\r\n \r\n\r\n\r\n\r\n<!-- wwrights check -->\r\n<!-- Empty country is used on test environment -->\r\n\r\n\r\n\r\n<div class=\"videoInStoryC\">\r\n <div id=\"emp-22474674-774\" class=\"emp\">\r\n \r\n\t\t\r\n <noscript>\r\n <div class=\"warning\">\r\n <img class=\"holding\" src=\"http://news.bbcimg.co.uk/media/images/67513000/jpg/_67513059_67513058.jpg\" alt=\"Nancy Ruiz, Gina DeJesus&#039;s mother\" />\r\n <p><strong>Please turn on JavaScript.</strong> Media requires JavaScript to play.</p>\r\n </div>\r\n </noscript>\r\n <object width=\"0\" height=\"0\">\r\n <param name=\"id\" value=\"embeddedPlayer_22474674\" />\r\n <param name=\"width\" value=\"320\" />\r\n <param name=\"height\" value=\"180\" /> \r\n <param name=\"size\" value=\"Small\" />\r\n\t\t\t\t\t<param name=\"holdingImage\" value=\"http://news.bbcimg.co.uk/media/images/67513000/jpg/_67513059_67513058.jpg\" />\r\n\t\t\t\t\t\t\t<param name=\"externalIdentifier\" value=\"p018ts8s\" />\r\n\t\t <param name=\"playlist\" value=\"http://playlists.bbc.co.uk/news/world-us-canada-22474674A/playlist.sxml\" />\r\n <param name=\"config_settings_autoPlay\" value=\"false\" />\r\n <param name=\"config_settings_showPopoutButton\" value=\"false\" />\r\n <param name=\"config_plugin_fmtjLiveStats_pageType\" value=\"eav2\" />\r\n <param name=\"config_plugin_fmtjLiveStats_edition\" value=\"International\" />\r\n\t\t\t\r\n\t\t <param name=\"fmtjDocURI\" value=\"/news/world-us-canada-22461506\"/>\r\n \r\n <param name=\"companionId\" value=\"bbccom_companion_22474674\" />\r\n \r\n <param name=\"config_settings_showShareButton\" value=\"true\" />\r\n <param name=\"config_settings_showUpdatedInFooter\" value=\"true\" />\r\n </object>\r\n <!-- embedding script -->\r\n \r\n <script type=\"text/javascript\">\n //<![CDATA[\n (function(){\n // create a new player, but don't write it yet\n var emp = new bbc.fmtj.av.emp.Player('emp-22474674-774');\n // if the emps have already been loaded, we need to call the write method manually\n if(bbc.fmtj.av.emp.loaded){\n emp.setMediator('href', '{protocol}://{host}/mediaselector/5/select/version/2.0/mediaset/{mediaset}/vpid/{id}');\n emp.write();\n }\n })();\n //]]>\n</script>\r\n </div>\r\n <!-- companion banner --> \r\n \r\n\t\t\r\n\t\t\t<div class=\"bbccom_advert_placeholder\">\r\n\t\t\t\t<script type=\"text/javascript\">$render(\"advert\",\"advert-companion\",\"22474674\");</script>\r\n\t\t\t</div>\r\n\t\t\t<script type=\"text/javascript\">$render(\"advert-post-script-load\");</script>\r\n\t\t\r\n \r\n <!-- END - companion banner --> \r\n \t\r\n \t\t<!-- caption -->\r\n\t\t<p class=\"caption\">Nancy Ruiz, Gina DeJesus&#039;s mother: &quot;We just grabbed each other and held on&quot;</p>\r\n\t\t<!-- END - caption -->\r\n \r\n\t\t\r\n\r\n</div>\r\n<!-- end of the embedded player component -->\r\n\r\n<!-- Player embedded --> <p>Her baby was born in a plastic inflatable children&#039;s swimming pool on Christmas day 2006, according to a police report.</p>\r\n <p>Police said more than 200 pieces of evidence had been taken from the home where the three women were held captive.</p>\r\n <p>They said interviews with the women had yielded enough information to charge Mr Castro.</p>\r\n <p>Police said he had been co-operating with them, waiving his right to silence and agreeing to a test to establish Jocelyn&#039;s paternity.</p>\r\n <p>On Wednesday hundreds of cheering people welcomed home Ms DeJesus and Ms Berry and her daughter.</p>\r\n <p>Ms Berry, whose disappearance in 2003 the day before her 17th birthday was widely publicised in the local media, escaped on Monday evening by kicking the door and screaming for help, while her alleged captor was out.</p>\r\n <p>Ms Knight, who was 20 when she disappeared in 2002, remains in hospital. </p>\r\n <p>The Cleveland Plain Dealer reports she had complained of chest pains during her rescue, but she is listed as in good condition.</p>\r\n <div class=\"caption full-width\">\r\n <img src=\"http://news.bbcimg.co.uk/media/images/67454000/jpg/_67454738_cleveland_abductions_624.jpg\" width=\"624\" height=\"470\" alt=\"Map of Cleveland showing location of last sightings and house that the women were rescued from\" />\r\n\r\n </div>\r\n \n\t\n\t</div><!-- / story-body -->\n \n <div>\n \t<!--Related hypers and stories -->\n\t<div class=\"story-related\">\r\n\t<h2>More on This Story</h2>\r\n\t \r\n\r\n\r\n\r\n\r\n\t\t <div class=\"hyperpuff\">\r\n\t \t \r\n<div class=\"hyper-container-title\">\r\n \r\n \t <h3 class=\"hyper-depth-header\">Ohio abductions\r\n\t </h3>\r\n \r\n \n\n\n\t\t\t\n\t<!-- Non specific version -->\n\t\n\t\n\t\t\t<div id=\"group-title-1\" class=\"hyper-related-assets\">\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t<ul>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li class=\"column-1 \">\n\t\t\n\t\t\t\t\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h5 class=\" hyper-story-header\">\r\n\t<a class=\"story\" rel=\"published-1368013107816\" href=\"/news/world-us-canada-22446157\">Mystery of &#039;kidnap den&#039;</a>\r\n\r\n\t\t</h5>\r\n\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li class=\"column-1 \">\n\t\t\n\t\t\t\t\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h5 class=\" hyper-story-header\">\r\n\t<a class=\"story\" rel=\"published-1367979654142\" href=\"/news/world-us-canada-22444882\">Profile: Ariel Castro</a>\r\n\r\n\t\t</h5>\r\n\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li class=\"column-1 \">\n\t\t\n\t\t\t\t\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h5 class=\" hyper-story-header\">\r\n\t<a class=\"story\" rel=\"published-1368066883996\" href=\"/news/magazine-22441124\">Missing White Woman syndrome</a>\r\n\r\n\t\t</h5>\r\n\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li class=\"column-1 \">\n\t\t\n\t\t\t\t\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h5 class=\" hyper-story-header\">\r\n\t<a class=\"story\" rel=\"published-1367928792909\" href=\"/news/world-us-canada-22433057\">Profiles of women</a>\r\n\r\n\t\t</h5>\r\n\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li class=\"column-2 \">\n\t\t\n\t\t\t\t\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h5 class=\" hyper-story-header\">\r\n\t<a class=\"story\" rel=\"published-1368109061819\" href=\"/news/world-us-canada-22466166\">Dealing with media spotlight</a>\r\n\r\n\t\t</h5>\r\n\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li class=\"column-2 \">\n\t\t\n\t\t\t\t\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h5 class=\" hyper-story-header\">\r\n\t<a class=\"story\" rel=\"published-1368055702955\" href=\"/news/world-us-canada-22457795\">Quiet street, unthinkable crime</a>\r\n\r\n\t\t</h5>\r\n\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li class=\"column-2 \">\n\t\t\n\t\t\t\t\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h5 class=\" hyper-story-header\">\r\n\t<a class=\"story\" rel=\"published-1367985621762\" href=\"/news/magazine-22408038\">Captives&#039; future</a>\r\n\r\n\t\t</h5>\r\n\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li class=\"column-2 \">\n\t\t\n\t\t\t\t\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h5 class=\" hyper-story-header\">\r\n\t<a class=\"story\" rel=\"published-1367977758327\" href=\"/news/magazine-22408037\">What about unhappy endings?</a>\r\n\r\n\t\t</h5>\r\n\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</ul>\n\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\n\t\t</div>\n\t\t<script type=\"text/javascript\">$render(\"hyper-related-assets\",\"group-title-1\");</script>\n\n\t \n\r\n \n\n\n\t\t\t\n\t<!-- Non specific version -->\n\t\n\t\n\t\t\t<div id=\"group-title-2\" class=\"hyper-related-assets\">\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t<ul>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li class=\"column-1 \">\n\t\t\n\t\t\t\t\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h5 class=\"has-icon-boxedwatch hyper-story-header\">\r\n\t<a class=\"story\" rel=\"published-1368137476853\" href=\"/news/world-us-canada-22441123\">Disbelief on &#039;Kidnap Street&#039;<span class=\"gvl3-icon gvl3-icon-boxedwatch\"> Watch</span></a>\r\n\r\n\t\t</h5>\r\n\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li class=\"column-1 \">\n\t\t\n\t\t\t\t\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h5 class=\"has-icon-boxedwatch hyper-story-header\">\r\n\t<a class=\"story\" rel=\"published-1368132238356\" href=\"/news/world-us-canada-22472066\">&#039;Torture chamber operator&#039;<span class=\"gvl3-icon gvl3-icon-boxedwatch\"> Watch</span></a>\r\n\r\n\t\t</h5>\r\n\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li class=\"column-1 \">\n\t\t\n\t\t\t\t\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h5 class=\"has-icon-boxedwatch hyper-story-header\">\r\n\t<a class=\"story\" rel=\"published-1368113148685\" href=\"/news/world-us-canada-22470579\">Castro&#039;s daughter &#039;devastated&#039;<span class=\"gvl3-icon gvl3-icon-boxedwatch\"> Watch</span></a>\r\n\r\n\t\t</h5>\r\n\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li class=\"column-1 \">\n\t\t\n\t\t\t\t\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h5 class=\"has-icon-boxedwatch hyper-story-header\">\r\n\t<a class=\"story\" rel=\"published-1368128067402\" href=\"/news/world-us-canada-22474674\">&#039;We hugged, kissed and cried&#039;<span class=\"gvl3-icon gvl3-icon-boxedwatch\"> Watch</span></a>\r\n\r\n\t\t</h5>\r\n\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li class=\"column-1 \">\n\t\t\n\t\t\t\t\t",
"\t\t\t\r\n\r\n\r\n\r\n\r\n\t\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h5 class=\"has-icon-boxedwatch hyper-story-header\">\r\n\t<a class=\"story\" rel=\"published-1368104118871\" href=\"/news/world-us-canada-22466860\">Ariel Castro in court<span class=\"gvl3-icon gvl3-icon-boxedwatch\"> Watch</span></a>\r\n\r\n\t\t</h5>\r\n\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li class=\"column-1 \">\n\t\t\n\t\t\t\t\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h5 class=\"has-icon-boxedwatch hyper-story-header\">\r\n\t<a class=\"story\" rel=\"published-1368040933442\" href=\"/news/world-us-canada-22456230\">Gina DeJesus goes home<span class=\"gvl3-icon gvl3-icon-boxedwatch\"> Watch</span></a>\r\n\r\n\t\t</h5>\r\n\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li class=\"column-2 \">\n\t\t\n\t\t\t\t\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h5 class=\"has-icon-boxedwatch hyper-story-header\">\r\n\t<a class=\"story\" rel=\"published-1368035145721\" href=\"/news/world-us-canada-22441122\">Cleveland children react<span class=\"gvl3-icon gvl3-icon-boxedwatch\"> Watch</span></a>\r\n\r\n\t\t</h5>\r\n\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li class=\"column-2 \">\n\t\t\n\t\t\t\t\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h5 class=\"has-icon-boxedwatch hyper-story-header\">\r\n\t<a class=\"story\" rel=\"published-1368038555167\" href=\"/news/world-us-canada-22448414\">Other kidnap victims talk<span class=\"gvl3-icon gvl3-icon-boxedwatch\"> Watch</span></a>\r\n\r\n\t\t</h5>\r\n\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li class=\"column-2 \">\n\t\t\n\t\t\t\t\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h5 class=\"has-icon-boxedwatch hyper-story-header\">\r\n\t<a class=\"story\" rel=\"published-1368029675976\" href=\"/news/world-us-canada-22456223\">Amanda&#039;s sister speaks<span class=\"gvl3-icon gvl3-icon-boxedwatch\"> Watch</span></a>\r\n\r\n\t\t</h5>\r\n\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li class=\"column-2 \">\n\t\t\n\t\t\t\t\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h5 class=\"has-icon-boxedwatch hyper-story-header\">\r\n\t<a class=\"story\" rel=\"published-1367972517691\" href=\"/news/world-us-canada-22441119\">What the neighbours saw<span class=\"gvl3-icon gvl3-icon-boxedwatch\"> Watch</span></a>\r\n\r\n\t\t</h5>\r\n\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li class=\"column-2 \">\n\t\t\n\t\t\t\t\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h5 class=\"has-icon-boxedwatch hyper-story-header\">\r\n\t<a class=\"story\" rel=\"published-1367928517210\" href=\"/news/world-us-canada-22436315\">&#039;I saw girl going nuts&#039;<span class=\"gvl3-icon gvl3-icon-boxedwatch\"> Watch</span></a>\r\n\r\n\t\t</h5>\r\n\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li class=\"column-2 \">\n\t\t\n\t\t\t\t\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h5 class=\"has-icon-boxedwatch hyper-story-header\">\r\n\t<a class=\"story\" rel=\"published-1367896215815\" href=\"/news/world-us-canada-22430285\">Amanda Berry&#039;s call to police<span class=\"gvl3-icon gvl3-icon-boxedwatch\"> Watch</span></a>\r\n\r\n\t\t</h5>\r\n\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t</ul>\n\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t\n\t\t</div>\n\t\t<script type=\"text/javascript\">$render(\"hyper-related-assets\",\"group-title-2\");</script>\n\n\t \n\r\n </div>\r\n\r\n\t \t </div>\r\n\t\r\n \r\n\t\r\n\t<!-- Newstracker -->\r\n<div class=\"puffbox\">\r\n\t\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n<!-- newstracker puffbox news 22461506 -->\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n</div>\r\n<!-- Newstracker - End -->\r\n<script type=\"text/javascript\">$render(\"page-newstracker\",\"ID\");</script> \r\n\r\n\t</div>\r\n<script type=\"text/javascript\">$render(\"page-related-items\",\"ID\");</script>\r\n\n </div>\n\n \n <div class=\"share-body-bottom\">\n\t<div id=\"page-bookmark-links-foot\" class=\"share-help\">\r\n <h3>Share this page</h3>\r\n <ul> \t\r\n <li class=\"delicious\">\r\n <a title=\"Post this story to Delicious\" href=\"http://del.icio.us/post?url=http://www.bbc.co.uk/news/world-us-canada-22461506&amp;title=BBC+News+-+Cleveland+kidnap+accused+Ariel+Castro+in+court\">Delicious</a>\r\n </li>\r\n <li class=\"digg\">\r\n <a title=\"Post this story to Digg\" href=\"http://digg.com/submit?url=http://www.bbc.co.uk/news/world-us-canada-22461506&amp;title=BBC+News+-+Cleveland+kidnap+accused+Ariel+Castro+in+court\">Digg</a>\r\n </li>\r\n <li class=\"facebook\">\r\n <a title=\"Post this story to Facebook\" href=\"http://www.facebook.com/sharer.php?u=http://www.bbc.co.uk/news/world-us-canada-22461506&amp;t=BBC+News+-+Cleveland+kidnap+accused+Ariel+Castro+in+court\">Facebook</a>\r\n </li>\r\n <li class=\"reddit\">\r\n <a title=\"Post this story to reddit\" href=\"http://reddit.com/submit?url=http://www.bbc.co.uk/news/world-us-canada-22461506&amp;title=BBC+News+-+Cleveland+kidnap+accused+Ariel+Castro+in+court\">reddit</a>\r\n </li>\r\n <li class=\"stumbleupon\">\r\n <a title=\"Post this story to StumbleUpon\" href=\"http://www.stumbleupon.com/submit?url=http://www.bbc.co.uk/news/world-us-canada-22461506&amp;title=BBC+News+-+Cleveland+kidnap+accused+Ariel+Castro+in+court\">StumbleUpon</a>\r\n </li>\r\n <li class=\"twitter\">\r\n <a title=\"Post this story to Twitter\" href=\"http://twitter.com/home?status=BBC+News+-+Cleveland+kidnap+accused+Ariel+Castro+in+court+http://www.bbc.co.uk/news/world-us-canada-22461506\">Twitter</a>\r\n </li>\r\n <li class=\"email\">\r\n <a title=\"Email this story\" href=\"http://newsvote.bbc.co.uk/mpapps/pagetools/email/www.bbc.co.uk/news/world-us-canada-22461506\">Email</a>\r\n </li>\r\n <li class=\"print\">\r\n <a title=\"Print this story\" href=\"?print=true\">Print</a>\r\n </li>\r\n </ul>\r\n<!-- Social media icons by Paul Annet | http://nicepaul.com/icons -->\r\n\r\n<div class=\"bbccom_advert_placeholder\">\r\n\t<script type=\"text/javascript\">$render(\"advert\",\"advert-sponsor-module\",\"page-bookmark-links\");</script>\r\n</div>\r\n<script type=\"text/javascript\">$render(\"advert-post-script-load\");</script>\r\n \r\n</div>\r\n<script type=\"text/javascript\"> \r\n<!--\r\n$render(\"page-bookmark-links\",\"page-bookmark-links-foot\",{\r\n useForgeShareTools:\"true\",\r\n position:\"bottom\",\r\n site:'News', \r\n headline:'BBC News - Cleveland kidnap accused Ariel Castro in court', \r\n storyId:'22461506', \r\n sectionId:'99127', \r\n url:'http://www.bbc.co.uk/news/world-us-canada-22461506', \r\n edition:'International'\r\n}); \r\n-->\r\n</script>\r\n\n </div>\n \n \n \t\n\t\t<div class=\"bbccom_advert_placeholder\">\n\t \t<script type=\"text/javascript\">$render(\"advert\",\"advert-google-adsense\");</script>\n\t\t</div>\n\t\t<script type=\"text/javascript\">$render(\"advert-post-script-load\");</script>\n \t\n\t\n <!-- other stories from this section include -->\n \r\n\r\n<div class=\"top-index-stories\">\r\n\t<h2 class=\"top-index-stories-header\"><a href=\"/news/world/us_and_canada/\">More US &amp; Canada stories</a></h2>\r\n <a href=\"http://feeds.bbci.co.uk/news/world/us_and_canada/rss.xml\" class=\"rss\">RSS</a>\t\r\n\t\t\r\n\r\n\t\r\n\t\t\t\t\t\t\r\n\t\t\t<!-- Non specific version -->\r\n\t\t\t\r\n\t<ul>\r\n\t\t\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t\t\t\t\t\t\r\n\t\t<li class=\"first-child medium-image\">\r\n\t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\t\r\n\r\n\r\n\r\n\r\n<h3>\r\n\t<a class=\"story\" rel=\"published-1370431877446\" href=\"/news/world-us-canada-22783877\"><img src=\"http://news.bbcimg.co.uk/media/images/67993000/jpg/_67993679_67989799.jpg\" alt=\"Susan Rice. File photo\" />Rice gets US national security role</a>\r\n\r\n\t\t</h3>\r\n\r\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t<p>Susan Rice, the US permanent representative to the UN, is to be appointed President Barack Obama&#039;s new national security adviser, officials say.</p>\r\n\t\t\t\t\t</li>\r\n\t\t\r\n\t\t\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t\r\n\t\t<li class=\"column-1\">\r\n\t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h3>\r\n\t<a class=\"story\" rel=\"published-1370422723565\" href=\"/news/world-us-canada-22779879\">Protester interrupts Michelle Obama </a>\r\n\r\n\t\t</h3>\r\n\r\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\r\n\t\t\t\t\t</li>\r\n\t\t\r\n\t\t\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t\r\n\t\t<li class=\"column-2\">\r\n\t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<h3>\r\n\t<a class=\"story\" rel=\"published-1370383857534\" href=\"/news/world-us-canada-22776804\">US college head quits after gaffe</a>\r\n\r\n\t\t</h3>\r\n\r\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\r\n\t\t\t\t\t</li>\r\n\t\t\r\n\t\t</ul>\r\n\r\n\t \r\n\r\n</div>\r\n\n \n</div><!-- / layout-block-a -->\n\n<div class=\"layout-block-b\">\t\n\t\t\t\r\n\r\n\r\n\r\n\r\n\t\t <div class=\"hyperpuff\">\r\n\t \t \r\n<div class=\"bbccom_advert_placeholder\">\r\n\t<script type=\"text/javascript\">$render(\"advert\",\"advert-mpu-high\");</script>\r\n</div>\r\n<script type=\"text/javascript\">$render(\"advert-post-script-load\");</script>\r\n\r\n\t \t \r\n\r\n\r\n\r\n<div id=\"range-top-stories\" class=\"top-stories-range-module\">\r\n\r\n\t\t\t<h2 class=\"top-stories-range-module-header\">Top Stories</h2>\r\n\t\t\r\n\t\t\r\n\t\t\t\t\t\t\t\t\t\r\n\t\t\t\t<!-- Non specific version -->\r\n\t\t\t\t\r\n\t<ul>\r\n\t\t\t\t\t \t\t\t\t \t\t\t\t\t\t\t\t\r\n\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\t\r\n\r\n\r\n\r\n\r\n<li class=\" first-child medium-image\">\r\n\t<a class=\"story\" rel=\"published-1370414931971\" href=\"/news/world-middle-east-22778310\"><img src=\"http://news.bbcimg.co.uk/media/images/67987000/jpg/_67987807_67987015.jpg\" alt=\"Syrian soldiers carrying the national flag walk through Qusair (5 June 2013)\" />Syrian army retakes town of Qusair</a>\r\n\r\n\t\t</li>\r\n\r\n\t\t\t\t\t\t\t\t\t \t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<li>\r\n\t<a class=\"story\" rel=\"published-1370430592544\" href=\"/news/world-europe-22783127\">Demand for Turkey police dismissals</a>\r\n\r\n\t\t</li>\r\n\r\n \t\t\t\t\t\t\t\t\t \t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<li>\r\n\t<a class=\"story\" rel=\"published-1370438015462\" href=\"/news/technology-22780640\">Wi-fi signal used to detect gestures</a>\r\n\r\n\t\t</li>\r\n\r\n \t\t\t\t\t\t\t\t\t \t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<li>\r\n\t<a class=\"story\" rel=\"published-1370425000040\" href=\"/news/world-asia-22779669\">Sharif urges end to drone strikes</a>\r\n\r\n\t\t</li>\r\n\r\n \t\t\t\t\t\t\t\t\t \t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\r\n\r\n\r\n\r\n\r\n<li>\r\n\t<a class=\"story\" rel=\"published-1370431076601\" href=\"/news/business-22781146\">Latvia to be 18th eurozone member</a>\r\n\r\n\t\t</li>\r\n\r\n \t\t\t\t\t\t</ul>\r\n\r\n\t\t \r\n\t\r\n</div>\r\n<script type=\"text/javascript\">$render(\"range-top-stories\",\"range-top-stories\");</script>\r\n \t\r\n\r\n\t \t \r\n<div class=\"bbccom_advert_placeholder\">\r\n\t<script type=\"text/javascript\">$render(\"advert\",\"advert-mpu-low\");</script>\r\n</div>\r\n<script type=\"text/javascript\">$render(\"advert-post-script-load\");</script>\r\n\r\n\t \t \r\n\r\n\t<div id=\"features\" class=\"feature-generic\">\r\n\r\n\t\t\t<h2 class=\"features-header\">Features &amp; Analysis</h2>\r\n\t\t\r\n\t<ul class=\"feature-main\">\r\n\r\n\t\t\r\n\t\r\n\t\t\t\t\t\t\r\n\t\t\t<!-- Non specific version -->\r\n\t\t\t\r\n\t\t\t\r\n\t\t\t\t\t\t\t\r\n\t\t<li class=\"medium-image\">\r\n\r\n\t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\t\r\n\r\n\r\n\r\n\r\n<h3 class=\" feature-header\">\r\n\t<a class=\"story\" rel=\"published-1370421770130\" href=\"/news/magazine-22764986\"><img src=\"http://news.bbcimg.co.uk/media/images/67985000/jpg/_67985745_146202654.jpg\" alt=\"Jesus Navas\" />Extreme homesickness</a>\r\n\r\n\t\t</h3>\r\n\r\n\t\t\t\r\n\t\t\t\t\t\t\t<p>The adults who can&#039;t bear to be away from home \t\r\n\t\t\t\t <span id=\"dna-comment-count___CPS__22764986\" class=\"gvl3-icon gvl3-icon-comment comment-count\"></span></p>\r\n\t\t\t\r\n\t\t\t\t\t\t\t<hr />\r\n\t\t\t\t\t</li>\r\n\t\t\t\r\n\t\t\t\t\t\t\t\r\n\t\t<li class=\"medium-image\">\r\n\r\n\t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\t\r\n\r\n\r\n\r\n\r\n<h3 class=\" feature-header\">\r\n\t<a class=\"story\" rel=\"published-1370392016878\" href=\"/news/magazine-22766888\"><img src=\"http://news.bbcimg.co.uk/media/images/67992000/jpg/_67992636_pool_twyman320.jpg\" alt=\"Joe Twyman in the ruins of a swimming pool which belonged to Saddam Hussein\" />Polls apart</a>\r\n\r\n\t\t</h3>\r\n\r\n\t\t\t\r\n\t\t\t\t\t\t\t<p>The Brit who took public opinion surveys to war-torn Iraq \t\r\n\t\t\t\t <span id=\"dna-comment-count___CPS__22766888\" class=\"gvl3-icon gvl3-icon-comment comment-count\"></span></p>\r\n\t\t\t\r\n\t\t\t\t\t\t\t<hr />\r\n\t\t\t\t\t</li>\r\n\t\t\t\r\n\t\t\t\t\t\t\t\r\n\t\t<li class=\"medium-image\">\r\n\r\n\t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\t\r\n\r\n\r\n\r\n\r\n<h3 class=\" feature-header\">\r\n\t<a class=\"story\" rel=\"published-1370392499107\" href=\"/news/magazine-22772391\"><img src=\"http://news.bbcimg.co.uk/media/images/67982000/jpg/_67982255_comp2_624.jpg\" alt=\"Man with limes in his moustache\" />Only 3% pay tax</a>\r\n\r\n\t\t</h3>\r\n\r\n\t\t\t\r\n\t\t\t\t\t\t\t<p>And nine other surprising things about India \t\r\n\t\t\t\t <span id=\"dna-comment-count___CPS__22772391\" class=\"gvl3-icon gvl3-icon-comment comment-count\"></span></p>\r\n\t\t\t\r\n\t\t\t\t\t\t\t<hr />\r\n\t\t\t\t\t</li>\r\n\t\t\t\r\n\t\t\t\t\t\t\t\r\n\t\t<li class=\"medium-image\">\r\n\r\n\t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\t\r\n\r\n\r\n\r\n\r\n<h3 class=\" feature-header\">\r\n\t<a class=\"story\" rel=\"published-1370430314886\" href=\"/news/in-pictures-22780793\"><img src=\"http://news.bbcimg.co.uk/media/images/67989000/jpg/_67989135_67988021.jpg\" alt=\"A boy rides his skateboard at Punta Lobos beach in Chile\" />Day in pictures</a>\r\n\r\n\t\t</h3>\r\n\r\n\t\t\t\r\n\t\t\t\t\t\t\t<p>Twenty-four hours of news photos from around the world \t\r\n\t\t\t\t <span id=\"dna-comment-count___CPS__22780793\" class=\"gvl3-icon gvl3-icon-comment comment-count\"></span></p>\r\n\t\t\t\r\n\t\t\t\t\t\t\t<hr />\r\n\t\t\t\t\t</li>\r\n\t\r\n\t \r\n\t\r\n\t\r\n\t</ul>\r\n\t</div>\r\n\t<script type=\"text/javascript\">$render(\"feature-generic\",\"features\");</script> \r\n\r\n\r\n\t \t \r\n<div id=\"most-popular\" class=\"livestats livestats-tabbed tabbed range-most-popular\">\r\n\t\r\n\t\t\t<h2 class=\"livestats-header\">Most Popular</h2>\r\n\t\r\n\t\t\t\t\t\r\n\t\t\t\t\t<h3 class=\"tab \"><a href=\"#\">Shared</a></h3>\r\n\t\t\r\n\t\t<div class=\"panel \">\r\n \t\t<ol>\r\n\t \t\t<li\r\n class=\"first-child ol1\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/magazine-22772391\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-1\">1: </span>10 things you might not know about India</a>\r\n</li>\r\n<li\r\n class=\"ol2\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/business-22770064\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-2\">2: </span>Fixed fines for middle-lane hoggers</a>\r\n</li>\r\n<li\r\n class=\"ol3\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/magazine-22751415\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-3\">3: </span>Why Finnish babies sleep in boxes</a>\r\n</li>\r\n<li\r\n class=\"ol4\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/world-us-canada-22774496\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-4\">4: </span>Woman, 102, base jumps off bridge</a>\r\n</li>\r\n<li\r\n class=\"ol5\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/magazine-22764986\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-5\">5: </span>The adults who suffer extreme homesickness</a>\r\n</li>\r\n \t\t</ol>\r\n \t</div>\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t<h3 class=\"tab open\"><a href=\"#\">Read</a></h3>\r\n\t\t\r\n\t\t<div class=\"panel open\">\r\n \t\t<ol>\r\n\t \t\t<li\r\n class=\"first-child ol1\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/magazine-22772391\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-1\">1: </span>10 things you might not know about India</a>\r\n</li>\r\n<li\r\n class=\"ol2\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/magazine-22751415\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-2\">2: </span>Why Finnish babies sleep in boxes</a>\r\n</li>\r\n<li\r\n class=\"ol3\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/technology-22780812\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-3\">3: </span>Pianist storms out over phone clips</a>\r\n</li>\r\n<li\r\n class=\"ol4\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/magazine-22764986\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-4\">4: </span>The adults who suffer extreme homesickness</a>\r\n</li>\r\n<li\r\n class=\"ol5\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/technology-22780640\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-5\">5: </span>Wi-fi signal used to detect gestures</a>\r\n</li>\r\n<li\r\n class=\"ol6\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/world-asia-india-22781644\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-6\">6: </span>Bollywood's Jiah Khan's funeral held</a>\r\n</li>\r\n<li\r\n class=\"ol7\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/world-europe-22783127\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-7\">7: </span>Turkey police chiefs' sacking sought</a>\r\n</li>\r\n<li\r\n class=\"ol8\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/world-middle-east-22778310\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-8\">8: </span>Syrian army retakes town of Qusair</a>\r\n</li>\r\n<li\r\n class=\"ol9\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/world-asia-india-22763342\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-9\">9: </span>Bollywood's Jiah Khan found dead</a>\r\n</li>\r\n<li\r\n class=\"ol10\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/uk-england-beds-bucks-herts-22779523\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-10\">10: </span>Man dies after crane falls onto M25</a>\r\n</li>\r\n \t\t</ol>\r\n \t</div>\r\n\t\t\t\t\t\r\n\t\t\t\t\t<h3 class=\"tab \"><a href=\"#\">Video/Audio</a></h3>\r\n\t\t\r\n\t\t<div class=\"panel \">\r\n \t\t<ol>\r\n\t \t\t<li\r\n class=\"first-child has-icon-watch ol1\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/entertainment-arts-22775435\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-1\">1: </span>Emma: I'm not doing Fifty Shades<span\r\n class=\"gvl3-icon gvl3-icon-watch\"> Watch</span></a>\r\n</li>\r\n<li\r\n class=\"has-icon-watch ol2\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/world-europe-22774501\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-2\">2: </span>Who are Turkey's protesters?<span\r\n class=\"gvl3-icon gvl3-icon-watch\"> Watch</span></a>\r\n</li>\r\n<li\r\n class=\"has-icon-watch ol3\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/world-us-canada-22774496\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-3\">3: </span>Woman, 102, base jumps off bridge<span\r\n class=\"gvl3-icon gvl3-icon-watch\"> Watch</span></a>\r\n</li>\r\n<li\r\n class=\"has-icon-watch ol4\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/video_and_audio/\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-4\">4: </span>One-minute World News<span\r\n class=\"gvl3-icon gvl3-icon-watch\"> Watch</span></a>\r\n</li>\r\n<li\r\n class=\"has-icon-watch ol5\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/world-asia-22784321\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-5\">5: </span>New Zealand's 105-year-old driver<span\r\n class=\"gvl3-icon gvl3-icon-watch\"> Watch</span></a>\r\n</li>\r\n<li\r\n class=\"has-icon-watch ol6\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/world-middle-east-22778956\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-6\">6: </span>Syrian army retakes town of Qusair<span\r\n class=\"gvl3-icon gvl3-icon-watch\"> Watch</span></a>\r\n</li>\r\n<li\r\n class=\"has-icon-watch ol7\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/science-environment-22774499\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-7\">7: </span>Thought-powered helicopter takes off<span\r\n class=\"gvl3-icon gvl3-icon-watch\"> Watch</span></a>\r\n</li>\r\n<li\r\n class=\"has-icon-watch ol8\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/world-europe-22777993\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-8\">8: </span>Czech towns 'under water' after floods<span\r\n class=\"gvl3-icon gvl3-icon-watch\"> Watch</span></a>\r\n</li>\r\n<li\r\n class=\"has-icon-watch ol9\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/entertainment-arts-22775434\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-9\">9: </span>Bizet gets the Bollywood treatment<span\r\n class=\"gvl3-icon gvl3-icon-watch\"> Watch</span></a>\r\n</li>\r\n<li\r\n class=\"has-icon-watch ol10\">\r\n <a\r\n href=\"http://www.bbc.co.uk/news/world-europe-22778959\"\r\n class=\"story\">\r\n <span\r\n class=\"livestats-icon livestats-10\">10: </span>Demand for Turkey police dismissals<span\r\n class=\"gvl3-icon gvl3-icon-watch\"> Watch</span></a>\r\n</li>\r\n \t\t</ol>\r\n \t</div>\r\n\t\t \r\n\t<div class=\"bbccom_advert_placeholder\">\r\n\t\t<script type=\"text/javascript\">$render(\"advert\",\"advert-sponsor-module\",\"range-most-popular\",\"most-popular\");</script>\r\n\t</div>\r\n\t<script type=\"text/javascript\">$render(\"advert-post-script-load\");</script>\r\n\t\r\n</div>\r\n\r\n<script type=\"text/javascript\">$render(\"most-popular\",\"most-popular\");</script>\r\n\r\n\t \t </div>\r\n\t\n\t\t\n\t\n\t\t\t\r\n\r\n\r\n\r\n\r\n\t\t <div class=\"hyperpuff\">\r\n\t \t <div id=\"promotional-content\" class=\"hyper-promotional-content\">\r\n\t\r\n\t\t\t<h2>Elsewhere on the BBC</h2>\r\n\t\r\n\t<ul>\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t\t\t\t<li class=\"large-image first-child\">\r\n\t\t\t\t\r\n\r\n\r\n\r\n\r\n\t\r\n\r\n\r\n\t\t\r\n\r\n\r\n\r\n\r\n<h3>\r\n\t<a class=\"story\" rel=\"published-1370424602757\" href=\"http://www.bbc.com/travel/video/my-city/20130603-havana\"><img src=\"http://news.bbcimg.co.uk/media/images/67987000/jpg/_67987102_67987101.jpg\" alt=\"Havana\" />My City: Havana</a>\r\n\r\n\t\t</h3>\r\n\r\n\t\t\t\t\t\t\t\t\t<p>What is life like in the colourful and character-filled capital of Cuba?</p>\r\n\t\t\t\t\t\t\t</li>\r\n\t\t\t</ul>\r\n\t\r\n\t<div class=\"bbccom_advert_placeholder\">\r\n\t <script type=\"text/javascript\">$render(\"advert\",\"advert-sponsor-module\",\"hyper-promotional-content\",\"my-city-havana\");</script>\r\n\t</div>\r\n\t<script type=\"text/javascript\">$render(\"advert-post-script-load\");</script>\r\n \r\n</div>\r\n<script type=\"text/javascript\">$render(\"hyper-promotional-content\",\"promotional-content\");</script>\r\n\r\n\r\n\t \t </div>\r\n\t\n\t\t\n\t \t\n\t<div class=\"bbccom_advert_placeholder\">\n \t\t<script type=\"text/javascript\">$render(\"advert\",\"advert-partner-button\");</script>\n\t</div>\n\t<script type=\"text/javascript\">$render(\"advert-post-script-load\");</script>\n\t\n\t\t\n\t\t\t\r\n\r\n\r\n\r\n\r\n\t\t <div class=\"hyperpuff\">\r\n\t \t \t\t \t\t \t\r\n \t\t \t\t \r\n\r\n<div id=\"container-programme-promotion\" class=\"container-programme-promotion\">\r\n\t\t\t<h2 class=\"programmes-header\">Programmes</h2>\r\n\t\t\r\n\t\r\n\r\n\t\t\t\t\t\t\r\n<ul class=\"programme-breakout\">\r\n\t\r\n\t\r\n\t\t\t\r\n\t<li class=\"first-child large-image\">\t\t\r\n\t\t\r\n\r\n\r\n\r\n\r\n\t\t\r\n\r\n\r\n\t\t\r\n\r\n\r\n\r\n\r\n<h3 class=\" programme-header\">\r\n\t<a class=\"story\" rel=\"published-1370420432378\" href=\"http://www.bbc.co.uk/programmes/p019z1gm\"><img src=\"http://news.bbcimg.co.uk/media/images/67985000/jpg/_67985579_footballers2_640.jpg\" alt=\"Young people playing football\" />Fast Track<span class=\"gvl3-icon-wrapper\"><span class=\"gvl3-icon gvl3-icon-invert-watch\"> Watch</span></span></a>\r\n\r\n\t\t</h3>\r\n\r\n\t\t<p>Rajan Datar visits the Chota Valley where many of Ecuador’s best footballers are born</p>\r\n\t\t\r\n\t\t\r\n\t\t<div class=\"bbccom_advert_placeholder\">\r\n\t \t<script type=\"text/javascript\">$render(\"advert\",\"advert-sponsor-module\",\"programme-breakout\",\"fast-track\");</script>\r\n\t\t</div>\r\n\t\t<script type=\"text/javascript\">$render(\"advert-post-script-load\");</script>\r\n\t \r\n\t</li>\r\n</ul>\t\t\r\n\t</div>\r\n<script type=\"text/javascript\">$render(\"container-programmes-promotion\",\"container-programme-promotion\");</script>\r\n\t\r\n\t \t </div>\r\n\t\n\t\t\n\t \t\n\t<div class=\"bbccom_advert_placeholder\">\n\t\t<script type=\"text/javascript\">$render(\"advert\",\"advert-mpu-bottom\");</script>\n\t</div>\n\t<script type=\"text/javascript\">$render(\"advert-post-script-load\");</script>\n\t\n\t\t\n</div>\n\n\t<!-- END #MAIN-CONTENT & CPS_ASSET_TYPE CLASS: story -->\r\n\t</div>\r\n<!-- END CPS_AUDIENCE CLASS: international -->\r\n\t\r\n</div> \r\n<div id=\"related-services\" class=\"footer\">\r\n <div id=\"news-services\">\r\n <h2>Services</h2>\r\n <ul>\r\n <li id=\"service-mobile\" class=\"first-child\"><a href=\"http://www.bbc.co.uk/news/10628994\"><span class=\"gvl3-mobile-icon-large services-icon\">&nbsp;</span>Mobile</a></li>\r\n <li id=\"service-feeds\"><a href=\"/news/help-17655000\"><span class=\"gvl3-connected-tv-icon-large services-icon\">&nbsp;</span>Connected TV</a></li>\r\n <li id=\"service-podcast\"><a href=\"http://www.bbc.co.uk/news/10628494\"><span class=\"gvl3-feeds-icon-large services-icon\">&nbsp;</span>News feeds</a></li>\r\n <li id=\"service-alerts\"><a href=\"http://www.bbc.co.uk/news/10628323\"><span class=\"gvl3-alerts-icon-large services-icon\">&nbsp;</span>Alerts</a></li>\r\n <li id=\"service-email-news\"><a href=\"http://www.bbc.co.uk/news/help/16617948\"><span class=\"gvl3-email-icon-large services-icon\">&nbsp;</span>E-mail news</a></li>\r\n </ul>\t \r\n </div>\r\n <div id=\"news-related-sites\">\r\n <h2><a href=\"http://www.bbc.co.uk/news/19888761\">About BBC News</a></h2>\r\n <ul>\r\n <li class=\"column-1\"><a href=\"http://www.bbc.co.uk/blogs/theeditors/\">Editors' blog</a></li>\r\n <li class=\"column-1\"><a href=\"http://www.bbc.co.uk/journalism/\">BBC College of Journalism</a></li>\r\n <li class=\"column-1\"><a href=\"http://www.bbc.co.uk/news/10621655\">News sources</a></li>\r\n <li class=\"column-1\"><a href=\"http://www.bbc.co.uk/mediaaction/\">Media Action</a></li>\r\n <li class=\"column-1\"><a href=\"http://www.bbc.co.uk/editorialguidelines/\">Editorial Guidelines</a></li>\r\n </ul>\r\n </div>\r\n</div>\r\n</div><!-- close us-and-canada -->\r\n\n\n\n\t\n\t\n\n </div> <!--[if IE 6]> <div id=\"blq-ie6-upgrade\"> <p> <span>You're using the Internet Explorer 6 browser to view the BBC website. Our site will work much better if you change to a more modern browser. It's free, quick and easy.</span> <a href=\"http://www.browserchoice.eu/\">Find out more <span>about upgrading your browser</span> here&hellip;</a> </p> </div> <![endif]--> <div id=\"blq-foot\" xml:lang=\"en-GB\" class=\"blq-rst blq-clearfix blq-foot-transparent blq-foot-text-dark\"> <div id=\"blq-footlinks\"> <h2 class=\"blq-hide\">BBC links</h2> <ul> <li class=\"blq-footlinks-row\"> <ul class=\"blq-footlinks-row-list\"> <li><a href=\"/news/mobile/\" id=\"blq-footer-mobile\">Mobile site</a></li><li><a href=\"http://www.bbc.co.uk/terms/\">Terms of Use</a></li><li><a href=\"http://www.bbc.co.uk/aboutthebbc/\">About the BBC</a></li> </ul> </li> <li class=\"blq-footlinks-row\"> <ul class=\"blq-footlinks-row-list\"> <li><a href=\"http://advertising.bbcworldwide.com\">Advertise With Us</a></li><li><a href=\"http://www.bbc.co.uk/privacy/\">Privacy</a></li><li><a href=\"http://www.bbc.co.uk/help/\">BBC Help</a></li> </ul> </li> <li class=\"blq-footlinks-row\"> <ul class=\"blq-footlinks-row-list\"> <li><a href=\"http://www.bbc.co.uk/bbc.com/ad-choices/\">Ad Choices</a></li><li><a href=\"http://www.bbc.co.uk/privacy/bbc-cookies-policy.shtml\">Cookies</a></li><li><a href=\"http://www.bbc.co.uk/accessibility/\">Accessibility Help</a></li> </ul> </li> <li class=\"blq-footlinks-row\"> <ul class=\"blq-footlinks-row-list\"> <li><a href=\"http://www.bbc.co.uk/guidance/\">Parental Guidance</a></li><li><a href=\"http://www.bbc.co.uk/news/21323537\">Contact Us</a></li> </ul> </li> </ul> <script type=\"text/javascript\">/*<![CDATA[*/ (function() { var mLink = document.getElementById('blq-footer-mobile'), stick = function() { var d = new Date (); d.setYear(d.getFullYear() + 1); d = d.toUTCString(); window.bbccookies.set('ckps_d=m;domain=.bbc.co.uk;path=/;expires=' + d ); window.bbccookies.set('ckps_d=m;domain=.bbc.com;path=/;expires=' + d ); }; if (mLink) { if (mLink.addEventListener) { mLink.addEventListener('click', stick, false); } else if (mLink.attachEvent) { mLink.attachEvent('onclick', stick); } } })(); /*]]>*/</script> </div> <div id=\"blq-foot-blocks\" class=\"blq-footer-image-dark\"><img src=\"http://static.bbci.co.uk/frameworks/barlesque/2.45.9/desktop/3.5/img/blocks/dark.png\" width=\"84\" height=\"24\" alt=\"BBC\" /></div> <p id=\"blq-disclaim\"><span id=\"blq-copy\">BBC &copy; 2013</span> <a href=\"http://www.bbc.co.uk/help/web/links/\">The BBC is not responsible for the content of external sites. Read more.</a></p> <div id=\"blq-obit\"><p><strong>This page is best viewed in an up-to-date web browser with style sheets (CSS) enabled. While you will be able to view the content of this page in your current browser, you will not be able to get the full visual experience. Please consider upgrading your browser software or enabling style sheets (CSS) if you are able to do so.</strong></p></div> </div> </div> \r\n<!-- BBCDOTCOM analytics template:server-side journalismVariant: true ipIsAdvertiseCombined: true adsEnabled: false showDotcom: true flagpole: ON -->\r\n \r\n <!-- BBCCOM analytics server-side -->\r\n<div id=\"bbccomWebBug\" class=\"bbccomWebBug\"></div>\r\n\r\n<script type=\"text/javascript\">\r\n /*<![CDATA[*/\r\n if('undefined' != typeof(bbcdotcom) && 'undefined' != typeof(bbcdotcom.stats)) {\r\n bbcdotcom.stats.adEnabled = \"yes\";\r\n bbcdotcom.stats.contentType = \"HTML\";\r\n }\r\n /*]]>*/\r\n</script>\r\n\r\n\r\n\r\n <!-- Start Audience Science -->\r\n <script type=\"text/javascript\" src=\"http://js.revsci.net/gateway/gw.js?csid=J08781\"></script>\r\n <script type=\"text/javascript\">\r\n /*<![CDATA[*/\r\n var adKeyword = document.getElementsByName('ad_keyword');\r\n if('/news/uk-11767495' == window.location.pathname) {\r\n J08781.DM_addEncToLoc(\"Section\",\"Royal Wedding\");\r\n } else if (undefined != adKeyword[0]) {\r\n J08781.DM_addEncToLoc(\"Section\",adKeyword[0].content);\r\n } else if (\"undefined\" != typeof bbc &&\r\n \"undefined\" != typeof bbc.fmtj &&\r\n \"undefined\" != typeof bbc.fmtj.page &&\r\n \"undefined\" != typeof bbc.fmtj.page.section) {\r\n J08781.DM_addEncToLoc(\"Section\", bbc.fmtj.page.section);\r\n }\r\n J08781.DM_tag();\r\n /*]]>*/\r\n </script>\r\n <!-- End Audience Science -->\r\n\r\n <!-- SiteCatalyst code version: H.21.\r\n Copyright 1996-2010 Adobe, Inc. All Rights Reserved\r\n More info available at http://www.omniture.com -->\r\n \r\n <script type=\"text/javascript\">\r\n var s_account = \"bbcwglobalprod\";\r\n </script>\r\n \r\n \r\n <script type=\"text/javascript\" src=\"http://news.bbcimg.co.uk/js/app/bbccom/0.3.183/s_code.js\"></script>\r\n \r\n <script type=\"text/javascript\"><!--\r\n /************* DO NOT ALTER ANYTHING BELOW THIS LINE ! **************/\r\n var s_code=scw.t();if(s_code)document.write(s_code)//--></script>\r\n <script type=\"text/javascript\"><!--\r\n if(navigator.appVersion.indexOf('MSIE')>=0)document.write(unescape('%3C')+'\\!-'+'-')\r\n //--></script><noscript><div><a href=\"http://www.omniture.com\" title=\"Web Analytics\"><img\r\n src=\"http://sa.bbc.com/b/ss/bbcwglobalprod/1/H.21--NS/0\"\r\n height=\"1\" width=\"1\" alt=\"\" /></a></div></noscript><!--/DO NOT REMOVE/-->\r\n <!-- End SiteCatalyst code version: H.21. -->\r\n\r\n\r\n <!-- Begin comScore Tag -->\r\n <script type=\"text/javascript\">\r\n document.write(unescape(\"%3Cscript src='\" + (document.location.protocol == \"https:\" ? \"https://sb\" : \"http://b\") + \".scorecardresearch.com/beacon.js' %3E%3C/script%3E\"));</script>\r\n <script type=\"text/javascript\">\r\n COMSCORE.beacon({\r\n c1:2,\r\n c2:\"6035051\",\r\n c3:\"\",\r\n c4:\"www.bbc.co.uk/news/world-us-canada-22461506\",\r\n c5:\"\",\r\n c6:\"\",\r\n c15:\"\"\r\n });\r\n </script>\r\n <noscript>\r\n <div>\r\n <img src=\"http://b.scorecardresearch.com/b?c1=2&amp;c2=6035051&amp;c3=&amp;c4=www.bbc.co.uk/news/world-us-canada-22461506&amp;c5=&amp;c6=&amp;c15=&amp;cv=1.3&amp;cj=1\" style=\"display:none\" width=\"0\" height=\"0\" alt=\"\" />\r\n </div>\r\n </noscript>\r\n <!-- End comScore Tag -->\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n <!-- Effective Measure BBCCOM-1195 -->\r\n <script type=\"text/javascript\">\r\n (function() {\r\n var em = document.createElement('script'); em.type = 'text/javascript'; em.async = true;\r\n em.src = ('https:' == document.location.protocol ? 'https://me-ssl' : 'http://me-cdn') + '.effectivemeasure.net/em.js';\r\n var s = document.getElementsByTagName('script')[0]; s.parentNode.insertBefore(em, s);\r\n })();\r\n </script>\r\n <noscript>\r\n <div>\r\n <img src=\"http://me.effectivemeasure.net/em_image\" alt=\"\" style=\"position:absolute; left:-5px;\" />\r\n </div>\r\n </noscript>\r\n <!-- End Effective Measure -->\r\n\r\n\r\n\r\n\r\n\r\n\r\n </div> </div> <script type=\"text/javascript\"> if (typeof require !== 'undefined') { require(['istats-1'], function(istats){ istats.track('external', { region: document.getElementById('blq-main') }); istats.track('download', { region: document.getElementById('blq-main') }); }); } </script> <script type=\"text/html\" id=\"blq-panel-template-promo\"><![CDATA[ <div id=\"blq-panel-promo\" class=\"blq-masthead-container\"></div> ]]></script> <script type=\"text/html\" id=\"blq-panel-template-more\"><![CDATA[ <div id=\"blq-panel-more\" class=\"blq-masthead-container blq-clearfix\" xml:lang=\"en-GB\" dir=\"ltr\"> <div class=\"blq-panel-container panel-paneltype-more\"> <div class=\"panel-header\"> <h2> <a href=\"http://www.bbc.co.uk/a-z/\"> More&hellip; </a> </h2> <a href=\"http://www.bbc.co.uk/a-z/\" class=\"panel-header-links panel-header-link\">Full A-Z<span class=\"blq-hide\"> of BBC sites</span></a> </div> <div class=\"panel-component panel-links\"> <ul> <li> <a href=\"http://www.bbc.co.uk/cbbc/\" >CBBC</a> </li> <li> <a href=\"http://www.bbc.co.uk/cbeebies/\" >CBeebies</a> </li> <li> <a href=\"http://www.bbc.co.uk/comedy/\" >Comedy</a> </li> </ul> <ul> <li> <a href=\"http://www.bbc.co.uk/food/\" >Food</a> </li> <li> <a href=\"http://www.bbc.co.uk/health/\" >Health</a> </li> <li> <a href=\"http://www.bbc.co.uk/history/\" >History</a> </li> </ul> <ul> <li> <a href=\"http://www.bbc.co.uk/learning/\" >Learning</a> </li> <li> <a href=\"http://www.bbc.co.uk/music/\" >Music</a> </li> <li> <a href=\"http://www.bbc.co.uk/science/\" >Science</a> </li> </ul> <ul> <li> <a href=\"http://www.bbc.co.uk/nature/\" >Nature</a> </li> <li> <a href=\"http://www.bbc.co.uk/local/\" >Local</a> </li> <li> <a href=\"http://www.bbc.co.uk/travelnews/\" >Travel News</a> </li> </ul> </div> </div> ]]></script> \n\t\n\r\n<!-- shared/foot -->\n<script type=\"text/javascript\">\n\tbbc.fmtj.common.removeNoScript({});\n\tbbc.fmtj.common.tabs.createTabs({});\n</script>\r\n<!-- hi/news/foot.inc -->\r\n<!-- shared/foot_story -->\r\n<!-- #CREAM hi news international foot.inc -->\n\r\n \r\n\r\n</body>\r\n</html>\r\n\n\n"
],
[
"<!DOCTYPE html>\n<script>var __pbpa = true;</script><script>var translated_warning_string = 'Warning: Never enter your Tumblr password unless \\u201chttps://www.tumblr.com/login\\u201d\\x0ais the address in your web browser.\\x0a\\x0aYou should also see a green \\u201cTumblr, Inc.\\u201d identification in the address bar.\\x0a\\x0aSpammers and other bad guys use fake forms to steal passwords.\\x0a\\x0aTumblr will never ask you to log in from a user\\u2019s blog.\\x0a\\x0aAre you absolutely sure you want to continue?';</script><script type=\"text/javascript\" language=\"javascript\" src=\"http://assets.tumblr.com/assets/scripts/pre_tumblelog.js?_v=289ca146962d7f79251f9df647c84ce1\"></script>\n<!DOCTYPE html>\r\n<html id=\"showlines\">\r\n<head prefix=\"og: http://ogp.me/ns# fb: http://ogp.me/ns/fb# blog: http://ogp.me/ns/blog#\">\r\n <link rel=\"stylesheet\" type=\"text/css\" href=\"http://static.izs.me/css/style.css\">\r\n <script>;(function () {\r\n if (+\"'49797044559'\" === 8811997887) { // && location.hash === \"#rev\") {\r\n var l = document.createElement(\"link\")\r\n l.rel = \"stylesheet\"\r\n l.type = \"text/css\"\r\n l.href = \"http://static.izs.me/css/reverse.css\"\r\n document.head.appendChild(l)\r\n }\r\n })()</script>\r\n <title>blog.izs.me: Curiosity and The Practice</title>\r\n <meta name=\"description\" content=\"Curiosity and The Practice All too often, people do good things for the wrong reasons, and find it&rsquo;s not sustainable. Compare the differences between these statements: &ldquo; I want to develop software. I...\">\r\n <meta http-equiv=\"content-type\" content=\"text/html; charset=UTF-8\">\r\n <link rel=\"alternate\" type=\"application/rss+xml\" href=\"http://blog.izs.me/rss\">\r\n <link rel=\"pavatar\" href=\"http://static.izs.me/img/pavatar.png\">\r\n <link rel=\"shortcut icon\" href=\"http://static.izs.me/favicon.ico\">\n<!-- BEGIN TUMBLR FACEBOOK OPENGRAPH TAGS -->\n<!-- If you'd like to specify your own Open Graph tags, define the og:url and og:title tags in your theme's HTML. -->\n<!-- Read more: http://ogp.me/ -->\n<meta property=\"fb:app_id\" content=\"48119224995\" />\n<meta property=\"og:title\" content=\"Curiosity and The Practice\" />\n<meta property=\"og:url\" content=\"http://blog.izs.me/post/49797044559/curiosity-and-the-practice\" />\n<meta property=\"og:description\" content=\"All too often, people do good things for the wrong reasons, and find it&rsquo;s not sustainable. Compare the differences between these statements:\n&ldquo; I want to develop software.\nI want to be a software...\" />\n<meta property=\"og:type\" content=\"tumblr-feed:entry\" />\n<!-- END TUMBLR FACEBOOK OPENGRAPH TAGS -->\n\n\n<!-- TWITTER TAGS -->\n<meta charset=\"utf-8\">\n <meta name=\"twitter:card\" content=\"summary\" />\n <meta name=\"twitter:description\" content=\"All too often, people do good things for the wrong reasons, and find it&amp;#8217;s not sustainable. Compare the differences between these statements:\n\n\n I want to develop software. \n I want to be a software developer.\n \n I want to write a novel. \n I want to be a novelist.\n \n I want to do yoga. \n I want to be a yogi.\n\n\n The first statement is &amp;#8220;I want to do a thing&amp;#8221;, and the second is &amp;#8220;I want to be a person who has done a thing&amp;#8221;.\n\n Once you&amp;#8217;ve written your first story, or software program, or done to your first yoga session, that box is checked, and you&amp;#8217;re done. Where is the motivation to continue The Practice?\n\n There is no way to maintain velocity without lightness, and there is no way to maintain lightness without curiosity.\n\n Curiosity is not a state of &amp;#8220;wanting to be curious&amp;#8221;, but rather a state of &amp;#8220;wanting to find out&amp;#8221;. There is a tremendous difference! &amp;#8220;Wanting to be&amp;#8221; is attainment of status, whereas &amp;#8220;wanting to do&amp;#8221; is desire and motion.\n\n These days, I try to catch myself saying &amp;#8220;I want to be XYZ&amp;#8221;, and instead translate that into what it really means. Sometimes, I find that it quickly disabuses me of a mistaken desire.\n\n If you want to be a writer, write. That&amp;#8217;s all that it takes, but it takes that forever, so if you don&amp;#8217;t want to write, perhaps reevaluate your desire to be a writer.\n\n If you want to be a programmer, program. That&amp;#8217;s all that it takes, but it takes that forever, so if you don&amp;#8217;t want to program, perhaps reevaluate your desire to be a programmer.\n\n If you want to be a yogi, do yoga. That&amp;#8217;s all that it takes, but it takes that forever, so if you don&amp;#8217;t want to do yoga, perhaps reevaluate your desire to be a yogi.\n\n Often, when we say, &amp;#8220;I want to be XYZ&amp;#8221;, what we actually mean is not &amp;#8220;I want to do the thing that XYZ does&amp;#8221;, but rather, &amp;#8220;I want the respect and self-esteem that comes with the skills that come from doing what XYZ does.&amp;#8221; I want people to read something, and admire it, and then admire me because of it. I want people to use software, and recognize that I create it, and think I&amp;#8217;m smart. I want people to think I&amp;#8217;m spiritual and wise, and admire my healthy body and calmness.\n\n I want other people to wish they could be me.\n\n They all find the frightening reality that there is no end to be attained. You will never finish writing all the software, or all the words, or find that you&amp;#8217;ve learned all that yoga practice can teach you. If your goal is at the end, you will find only discouragement and disappointment, and no amount of duty or discipline will keep you on the path.\n\n So the writer buys a beret, and a moleskine, and sits in cafes sipping espresso. The programmer wears an appropriately nerdy T-shirt, and plays video games, and says snarky things on Hacker News. The yogi puts on stretchy pants and carries a rubber mat around. If any of them do attain some shred of the respect they crave, they know in their heart that it is empty, and it never satisfies the longing.\n\n On the other hand, if your goal is the continual curious fire of &amp;#8220;Oh, neat! What&amp;#8217;s next!?&amp;#8221;, then each challenge along the path only makes you hungrier for more, and every step is light. The challenge becomes not &amp;#8220;How do I stay motivated?&amp;#8221; but rather, &amp;#8220;How do I keep my motivation in check, so that it does not consume me entirely?&amp;#8221;\n\n Even, upon reading this, if you find yourself thinking &amp;#8220;I want to be curious&amp;#8221;, stop and unpack that! Don&amp;#8217;t just be a person who was curious once, and got the merit badge! Be actively curious right now, in the present, and let that fire keep you going!\n\n So, what is it you&amp;#8217;d like to learn?\" />\n <meta name=\"twitter:title\" content=\"Curiosity and The Practice\" />\n <meta name=\"twitter:url\" content=\"http://blog.izs.me/post/49797044559/curiosity-and-the-practice\" />\n <meta name=\"twitter:site\" content=\"tumblr\" />\n <meta name=\"twitter:app:name:iphone\" content=\"Tumblr\" />\n <meta name=\"twitter:app:name:ipad\" content=\"Tumblr\" />\n <meta name=\"twitter:app:name:googleplay\" content=\"Tumblr\" />\n <meta name=\"twitter:app:id:iphone\" content=\"305343404\" />\n <meta name=\"twitter:app:id:ipad\" content=\"305343404\" />\n <meta name=\"twitter:app:id:googleplay\" content=\"com.tumblr\" />\n <meta name=\"twitter:app:url:iphone\" content=\"tumblr://x-callback-url/blog?blogName=izs&amp;postID=49797044559&amp;referrer=twitter-cards\" />\n <meta name=\"twitter:app:url:ipad\" content=\"tumblr://x-callback-url/blog?blogName=izs&amp;postID=49797044559&amp;referrer=twitter-cards\" />\n <meta name=\"twitter:app:url:googleplay\" content=\"tumblr://x-callback-url/blog?blogName=izs&amp;postID=49797044559&amp;referrer=twitter-cards\" />\n \n\n<script type=\"text/javascript\" src=\"http://assets.tumblr.com/assets/scripts/tumblelog.js?_v=5e66f09b4ee7ff8930714f37392186ee\"></script><meta http-equiv=\"x-dns-prefetch-control\" content=\"off\"/></head>\r\n<body>\r\n<div id=\"wrapper\" class=\"hfeed\">\r\n\r\n <div id=\"header\">\r\n <h1 id=\"blog-title\">\r\n <a href=\"/\" rel=\"home\">blog.izs.me</a>\r\n </h1>\r\n <div id=\"blog-description\">Writing from Isaac Z. Schlueter</div>\r\n </div>\r\n\r\n <div id=\"container\">\r\n <div id=\"content\">\r\n\r\n \r\n\r\n \r\n <div id=\"nav-above\" class=\"navigation\">\r\n \r\n <div class=\"nav-previous\"><a href=\"http://blog.izs.me/post/48281998870\">Older</a></div>\r\n \r\n \r\n <div class=\"nav-next\"><a href=\"http://blog.izs.me/post/51599977551\">Newer</a></div>\r\n \r\n </div>\r\n \r\n\r\n \r\n\r\n \r\n\r\n \r\n\r\n <div class=\"hentry \" id=\"post-49797044559\">\r\n \r\n\r\n \r\n\r\n \r\n <div class=\"text\">\r\n <h2 class=\"entry-title text-title\">Curiosity and The Practice</h2>\r\n <div class=\"entry-content\"><p>All too often, people do good things for the wrong reasons, and find it&#8217;s not sustainable. Compare the differences between these statements:</p>\n\n<blockquote>\n <p>I want to develop software.<br/>\n I want to be a software developer.</p>\n \n <p>I want to write a novel.<br/>\n I want to be a novelist.</p>\n \n <p>I want to do yoga.<br/>\n I want to be a yogi.</p>\n</blockquote>\n\n<p>The first statement is &#8220;I want to do a thing&#8221;, and the second is &#8220;I want to be a person <em>who has done</em> a thing&#8221;.</p>\n\n<p>Once you&#8217;ve written your first story, or software program, or done to your first yoga session, that box is checked, and you&#8217;re done. Where is the motivation to continue The Practice?</p>\n\n<p>There is no way to maintain velocity without lightness, and there is no way to maintain lightness without curiosity.</p>\n\n<p>Curiosity is not a state of &#8220;wanting to be curious&#8221;, but rather a state of &#8220;wanting to find out&#8221;. There is a tremendous difference! &#8220;Wanting to be&#8221; is attainment of status, whereas &#8220;wanting to do&#8221; is desire and motion.</p>\n\n<p>These days, I try to catch myself saying &#8220;I want to be XYZ&#8221;, and instead translate that into what it really means. Sometimes, I find that it quickly disabuses me of a mistaken desire.</p>\n\n<p>If you want to be a writer, write. That&#8217;s all that it takes, but it takes that forever, so if you don&#8217;t want to write, perhaps reevaluate your desire to be a writer.</p>\n\n<p>If you want to be a programmer, program. That&#8217;s all that it takes, but it takes that forever, so if you don&#8217;t want to program, perhaps reevaluate your desire to be a programmer.</p>\n\n<p>If you want to be a yogi, do yoga. That&#8217;s all that it takes, but it takes that forever, so if you don&#8217;t want to do yoga, perhaps reevaluate your desire to be a yogi.</p>\n\n<p>Often, when we say, &#8220;I want to be XYZ&#8221;, what we actually mean is not &#8220;I want to do the thing that XYZ does&#8221;, but rather, &#8220;I want the respect and self-esteem that comes with the skills that come from doing what XYZ does.&#8221; I want people to read something, and admire it, and then admire me because of it. I want people to use software, and recognize that I create it, and think I&#8217;m smart. I want people to think I&#8217;m spiritual and wise, and admire my healthy body and calmness.</p>\n\n<p>I want other people to wish they could be me.</p>\n\n<p>They all find the frightening reality that there is no end to be attained. You will never finish writing all the software, or all the words, or find that you&#8217;ve learned all that yoga practice can teach you. If your goal is at the end, you will find only discouragement and disappointment, and no amount of duty or discipline will keep you on the path.</p>\n\n<p>So the writer buys a beret, and a moleskine, and sits in cafes sipping espresso. The programmer wears an appropriately nerdy T-shirt, and plays video games, and says snarky things on Hacker News. The yogi puts on stretchy pants and carries a rubber mat around. If any of them do attain some shred of the respect they crave, they know in their heart that it is empty, and it never satisfies the longing.</p>\n\n<p>On the other hand, if your goal is the continual curious fire of &#8220;Oh, neat! What&#8217;s next!?&#8221;, then each challenge along the path only makes you hungrier for more, and every step is light. The challenge becomes not &#8220;How do I stay motivated?&#8221; but rather, &#8220;How do I keep my motivation in check, so that it does not consume me entirely?&#8221;</p>\n\n<p>Even, upon reading this, if you find yourself thinking &#8220;I want to be curious&#8221;, stop and unpack that! Don&#8217;t just be a person who was curious once, and got the merit badge! Be actively curious right now, in the present, and let that fire keep you going!</p>\n\n<p>So, what is it you&#8217;d like to learn?</p></div>\r\n </div>\r\n \r\n\r\n \r\n\r\n \r\n\r\n \r\n\r\n \r\n\r\n \r\n\r\n \r\n\r\n \r\n\r\n <div class=\"entry-meta\">\r\n <span class=\"published\">\r\n <a rel=\"bookmark\" href=\"http://blog.izs.me/post/49797044559/curiosity-and-the-practice\">\r\n Mon\r\n 2013-05-06\r\n 13:44:00\r\n </a>\r\n </span> |\r\n <!-- <span class=\"comments-link\">\r\n <a href=\"http://blog.izs.me/post/49797044559/curiosity-and-the-practice#comments\">Comment</a>\r\n </span> | -->\r\n <span class=\"notes-link\">\r\n <a href=\"http://blog.izs.me/post/49797044559/curiosity-and-the-practice#notes\">12 notes</a>\r\n </span>\r\n \r\n </div>\r\n </div>\r\n\r\n \r\n\r\n \r\n\r\n <!-- \r\n <div id=\"nav-below\" class=\"navigation\">\r\n \r\n <div class=\"nav-previous\"><a href=\"http://blog.izs.me/post/48281998870\">Older</a></div>\r\n \r\n \r\n <div class=\"nav-next\"><a href=\"http://blog.izs.me/post/51599977551\">Newer</a></div>\r\n \r\n </div>\r\n -->\r\n\r\n \r\n <div id=\"notes\">\n \n<ol class=\"notes\">\n\n <!-- START NOTES -->\n \n \n \n \n <li class=\"note like tumblelog_rooftopsparrow without_commentary\">\n\n <a rel=\"nofollow\" class=\"avatar_frame\" target=\"_blank\" href=\"http://rooftopsparrow.tumblr.com/\" title=\"Jonathan Nicholson \" rel=\"nofollow\"><img src=\"http://25.media.tumblr.com/avatar_163a7937ce7b_16.png\" class=\"avatar \" alt=\"\" /></a>\n \n <span class=\"action\">\n \n <a rel=\"nofollow\" href=\"http://rooftopsparrow.tumblr.com/\" title=\"Jonathan Nicholson\" rel=\"nofollow\">rooftopsparrow</a> likes this </span>\n\n <div class=\"clear\"></div>\n\n \n </li>\n \n \n \n \n <li class=\"note reblog tumblelog_monoclemike without_commentary\">\n\n \n \n <a rel=\"nofollow\" class=\"avatar_frame\" target=\"_blank\" href=\"http://michaelmcneil.com/\" title=\"console.blog()\"><img src=\"http://25.media.tumblr.com/avatar_ad96bd3bca6f_16.png\" class=\"avatar \" alt=\"\" /></a>\n \n <span class=\"action\" data-post-url=\"http://michaelmcneil.com/post/50732924157\">\n \n <a rel=\"nofollow\" href=\"http://michaelmcneil.com/\" class=\"tumblelog\" title=\"console.blog()\">monoclemike</a> reblogged this from <a rel=\"nofollow\" href=\"http://blog.izs.me/\" class=\"source_tumblelog\" title=\"blog.izs.me\">izs</a> </span>\n <div class=\"clear\"></div>\n\n \n \n </li>\n \n \n \n \n <li class=\"note like tumblelog_monoclemike without_commentary\">\n\n <a rel=\"nofollow\" class=\"avatar_frame\" target=\"_blank\" href=\"http://michaelmcneil.com/\" title=\"console.blog() \" rel=\"nofollow\"><img src=\"http://25.media.tumblr.com/avatar_ad96bd3bca6f_16.png\" class=\"avatar \" alt=\"\" /></a>\n \n <span class=\"action\">\n \n <a rel=\"nofollow\" href=\"http://michaelmcneil.com/\" title=\"console.blog()\" rel=\"nofollow\">monoclemike</a> likes this </span>\n\n <div class=\"clear\"></div>\n\n \n </li>\n \n \n \n \n <li class=\"note like tumblelog_traumaturg without_commentary\">\n\n <a rel=\"nofollow\" class=\"avatar_frame\" target=\"_blank\" href=\"http://traumaturg.tumblr.com/\" title=\"Untitled \" rel=\"nofollow\"><img src=\"http://assets.tumblr.com/images/default_avatar/cube_closed_16.png\" class=\"avatar \" alt=\"\" /></a>\n \n <span class=\"action\">\n \n <a rel=\"nofollow\" href=\"http://traumaturg.tumblr.com/\" title=\"Untitled\" rel=\"nofollow\">traumaturg</a> likes this </span>\n\n <div class=\"clear\"></div>\n\n \n </li>\n \n \n \n \n <li class=\"note reblog tumblelog_diariodeunmono without_commentary\">\n\n \n \n <a rel=\"nofollow\" class=\"avatar_frame\" target=\"_blank\" href=\"http://diariodeunmono.com/\" title=\"Diario de un mono\"><img src=\"http://25.media.tumblr.com/avatar_d4ec6beee365_16.png\" class=\"avatar \" alt=\"\" /></a>\n \n <span class=\"action\" data-post-url=\"http://diariodeunmono.com/post/49996235726\">\n \n <a rel=\"nofollow\" href=\"http://diariodeunmono.com/\" class=\"tumblelog\" title=\"Diario de un mono\">diariodeunmono</a> reblogged this from <a rel=\"nofollow\" href=\"http://blog.izs.me/\" class=\"source_tumblelog\" title=\"blog.izs.me\">izs</a> </span>\n <div class=\"clear\"></div>\n\n \n \n </li>\n \n \n \n \n <li class=\"note like tumblelog_thesweetfix without_commentary\">\n\n <a rel=\"nofollow\" class=\"avatar_frame\" target=\"_blank\" href=\"http://thesweetfix.tumblr.com/\" title=\"The Sweet Fix \" rel=\"nofollow\"><img src=\"http://25.media.tumblr.com/avatar_4d7cb3fb0edd_16.png\" class=\"avatar \" alt=\"\" /></a>\n \n <span class=\"action\">\n \n <a rel=\"nofollow\" href=\"http://thesweetfix.tumblr.com/\" title=\"The Sweet Fix\" rel=\"nofollow\">thesweetfix</a> likes this </span>\n\n <div class=\"clear\"></div>\n\n \n </li>\n \n \n \n \n <li class=\"note like tumblelog_elijahwright without_commentary\">\n\n <a rel=\"nofollow\" class=\"avatar_frame\" target=\"_blank\" href=\"http://elijahwright.tumblr.com/\" title=\"Elijah Wright&#039;s tumblr splat... \" rel=\"nofollow\"><img src=\"http://assets.tumblr.com/images/default_avatar_16.png\" class=\"avatar \" alt=\"\" /></a>\n \n <span class=\"action\">\n \n <a rel=\"nofollow\" href=\"http://elijahwright.tumblr.com/\" title=\"Elijah Wright&#039;s tumblr splat...\" rel=\"nofollow\">elijahwright</a> likes this </span>\n\n <div class=\"clear\"></div>\n\n \n </li>\n \n \n \n \n <li class=\"note reblog tumblelog_greelgorke with_commentary\">\n\n \n \n <a rel=\"nofollow\" class=\"avatar_frame\" target=\"_blank\" href=\"http://greelgorke.tumblr.com/\" title=\"[life,coding,social]@greelgorke\"><img src=\"http://25.media.tumblr.com/avatar_84803b23500e_16.png\" class=\"avatar \" alt=\"\" /></a>\n \n <span class=\"action\" data-post-url=\"http://greelgorke.tumblr.com/post/49841676500\">\n \n <a rel=\"nofollow\" href=\"http://greelgorke.tumblr.com/\" class=\"tumblelog\" title=\"[life,coding,social]@greelgorke\">greelgorke</a> reblogged this from <a rel=\"nofollow\" href=\"http://blog.izs.me/\" class=\"source_tumblelog\" title=\"blog.izs.me\">izs</a> and added: </span>\n <div class=\"clear\"></div>\n\n <blockquote>\n <a rel=\"nofollow\" href=\"http://greelgorke.tumblr.com/post/49841676500\" title=\"View post\">\n it&rsquo;s about doing things instead of being or becoming a thing, a title or some kind of notion. A nice post. </a>\n </blockquote>\n \n \n </li>\n \n \n \n \n <li class=\"note like tumblelog_ddemaree without_commentary\">\n\n <a rel=\"nofollow\" class=\"avatar_frame\" target=\"_blank\" href=\"http://log.demaree.me/\" title=\"David Demaree \" rel=\"nofollow\"><img src=\"http://24.media.tumblr.com/avatar_7f7597c57fb7_16.png\" class=\"avatar \" alt=\"\" /></a>\n \n <span class=\"action\">\n \n <a rel=\"nofollow\" href=\"http://log.demaree.me/\" title=\"David Demaree\" rel=\"nofollow\">ddemaree</a> likes this </span>\n\n <div class=\"clear\"></div>\n\n \n </li>\n \n \n \n \n <li class=\"note like tumblelog_iamaboutus without_commentary\">\n\n <a rel=\"nofollow\" class=\"avatar_frame\" target=\"_blank\" href=\"http://tumblr.iamabout.us/\" title=\"P EQUALS NO PROBLEM \" rel=\"nofollow\"><img src=\"http://24.media.tumblr.com/avatar_80dd68ec198d_16.png\" class=\"avatar \" alt=\"\" /></a>\n \n <span class=\"action\">\n \n <a rel=\"nofollow\" href=\"http://tumblr.iamabout.us/\" title=\"P EQUALS NO PROBLEM\" rel=\"nofollow\">iamaboutus</a> likes this </span>\n\n <div class=\"clear\"></div>\n\n \n </li>\n \n \n \n \n <li class=\"note like tumblelog_misframe without_commentary\">\n\n <a rel=\"nofollow\" class=\"avatar_frame\" target=\"_blank\" href=\"http://misfra.me/\" title=\"Misframe \" rel=\"nofollow\"><img src=\"http://25.media.tumblr.com/avatar_8a33e1bfc4da_16.png\" class=\"avatar \" alt=\"\" /></a>\n \n <span class=\"action\">\n \n <a rel=\"nofollow\" href=\"http://misfra.me/\" title=\"Misframe\" rel=\"nofollow\">misframe</a> likes this </span>\n\n <div class=\"clear\"></div>\n\n \n </li>\n \n \n \n \n <li class=\"note like tumblelog_bcobb without_commentary\">\n\n <a rel=\"nofollow\" class=\"avatar_frame\" target=\"_blank\" href=\"http://bcobb.tumblr.com/\" title=\"bcobb \" rel=\"nofollow\"><img src=\"http://24.media.tumblr.com/avatar_4b3c77a7d7ba_16.png\" class=\"avatar \" alt=\"\" /></a>\n \n <span class=\"action\">\n \n <a rel=\"nofollow\" href=\"http://bcobb.tumblr.com/\" title=\"bcobb\" rel=\"nofollow\">bcobb</a> likes this </span>\n\n <div class=\"clear\"></div>\n\n \n </li>\n \n \n \n \n <li class=\"note like tumblelog_gkya without_commentary\">\n\n <a rel=\"nofollow\" class=\"avatar_frame\" target=\"_blank\" href=\"http://gkya.tumblr.com/\" title=\"G&ouml;ktuğ Kayaalp \" rel=\"nofollow\"><img src=\"http://25.media.tumblr.com/avatar_95e7d43bc77d_16.png\" class=\"avatar \" alt=\"\" /></a>\n \n <span class=\"action\">\n \n <a rel=\"nofollow\" href=\"http://gkya.tumblr.com/\" title=\"G&ouml;ktuğ Kayaalp\" rel=\"nofollow\">gkya</a> likes this </span>\n\n <div class=\"clear\"></div>\n\n \n </li>\n \n \n \n \n <li class=\"note reblog tumblelog_izs without_commentary\">\n\n \n \n <a rel=\"nofollow\" class=\"avatar_frame\" target=\"_blank\" href=\"http://blog.izs.me/\" title=\"blog.izs.me\"><img src=\"http://25.media.tumblr.com/avatar_31f3070b41df_16.png\" class=\"avatar \" alt=\"\" /></a>\n \n <span class=\"action\" data-post-url=\"http://blog.izs.me/post/49797044559\">\n \n <a rel=\"nofollow\" href=\"http://blog.izs.me/\" class=\"tumblelog\" title=\"blog.izs.me\">izs</a> posted this </span>\n <div class=\"clear\"></div>\n\n \n \n </li>\n \n \n <!-- END NOTES -->\n</ol>\n\n</div>\r\n \r\n\r\n </div><!-- #content -->\r\n </div><!-- #container -->\r\n\r\n <div id=\"sidebars\">\r\n <div id=\"secondary\" class=\"sidebar\">\r\n <ul class=\"xoxo\">\r\n\r\n <li id=\"search\">\r\n <h2><label for=\"s\">Search</label></h2>\r\n <form id=\"searchform\" method=\"get\" action=\"/search\">\r\n <div>\r\n <input id=\"s\" name=\"q\" type=\"text\" value=\"\" size=\"10\">\r\n <input id=\"searchsubmit\" name=\"searchsubmit\" type=\"submit\" value=\"Find\">\r\n </div>\r\n </form>\r\n </li>\r\n\r\n </ul>\r\n<p id=\"respond\">Talk to me. I use <a href=\"mailto:i@izs.me\">email</a>\r\nand <a href=\"https://plus.google.com/108970487578797743871\">google+</a>\r\nand <a href=\"http://twitter.com/izs\">twitter</a>.</p>\r\n </div>\r\n\r\n </div>\r\n <div id=\"footer\" class=\"small\">© Isaac Z. Schlueter. <a href=\"http://foohack.com/about/\">Several rights reserved.</a>\r\n\r\n<script src=\"http://www.google-analytics.com/ga.js\"></script>\r\n<script>_gat._getTracker(\"UA-148455-3\")._trackPageview();</script>\r\n\r\n </div><!-- #footer -->\r\n</div><!-- #wrapper .hfeed -->\r\n <script>;(function () {\r\n if (+\"'49797044559'\" === 8811997887) { // && location.hash === \"#rev\") {\r\n document.body.scrollTop = document.body.scrollHeight\r\n }\r\n })()</script>\r\n<img src=\"http://lorempixel.com/500/1000/\" style=\"margin:0 auto;display:block\" alt=\"maybe something awesome\">\r\n<!-- BEGIN TUMBLR CODE -->\n \n \n <iframe id=\"tumblr_controls\" width=\"330\" height=\"25\" style=\"position:absolute; z-index:2147483647; top:0; right:0; border:0; background-color:transparent; overflow:hidden; \" src=\"http://assets.tumblr.com/assets/html/iframe.html?src=http%3A%2F%2Fblog.izs.me%2Fpost%2F49797044559%2Fcuriosity-and-the-practice&amp;pid=49797044559&amp;rk=iOiE24Qs&amp;lang=en_US&amp;name=izs&amp;avatar=http%3A%2F%2F24.media.tumblr.com%2Favatar_31f3070b41df_64.png&amp;title=blog.izs.me&amp;url=http%3A%2F%2Fblog.izs.me%2F&amp;_v=dcf1c0a578dbfd6678efa6e9b3e760bc\"></iframe> \n <!--[if IE]><script type=\"text/javascript\">document.getElementById('tumblr_controls').allowTransparency=true;</script><![endif]-->\n \n <!-- END TUMBLR CODE -->\n\n<iframe src=\"http://assets.tumblr.com/analytics.html?4344dcb6da7e8742c4c5ab1d76ffafae\" scrolling=\"no\" width=\"1\" height=\"1\" frameborder=\"0\" style=\"background-color:transparent; overflow:hidden; position:absolute; top:0; left:0 z-index:9999;\" id=\"ga_target\"></iframe>\n\n <script>\n var COMSCORE = true;\n window.setTimeout(function() {\n var analytics_frame = document.getElementById('ga_target');\n analytics_frame.contentWindow.postMessage('enable_comscore;' + window.location, analytics_frame.src.split('/analytics.html')[0]);\n }, 1000);\n </script>\n\n\n\n <script type=\"text/javascript\">\n var _qevents = _qevents || [];\n\n (function() {\n var elem = document.createElement('script');\n\n elem.src = (document.location.protocol == \"https:\" ? \"https://secure\" : \"http://edge\") + \".quantserve.com/quant.js\";\n elem.async = true;\n elem.type = \"text/javascript\";\n var scpt = document.getElementsByTagName('script')[0];\n scpt.parentNode.insertBefore(elem, scpt);\n })();\n </script>\n <script type=\"text/javascript\">\n _qevents.push( { qacct: 'p-19UtqE8ngoZbM' } );\n </script>\n <noscript>\n <div style=\"display: none;\"><img src=\"//pixel.quantserve.com/pixel/'p-19UtqE8ngoZbM'.gif\" height=\"1\" width=\"1\" alt=\"Quantcast\"/></div>\n </noscript>\n\n\n <script type=\"text/javascript\">var s=new Image(1,1);s.src=((r='http://www.tumblr.com/impixu?T=1370452750&J=eyJ0eXBlIjoidXJsIiwidXJsIjoiaHR0cDpcL1wvYmxvZy5penMubWVcL3Bvc3RcLzQ5Nzk3MDQ0NTU5XC9jdXJpb3NpdHktYW5kLXRoZS1wcmFjdGljZSIsInJlcXR5cGUiOjB9&U=NDLJAOKGKE&K=bacc9c25800549cf7d4b160b52b7636bd00e7ba4e7b365b105a3233229991e43&R='.replace(/&R=[^&$]*/,'')) + ('&R='+escape(document.referrer)).substr(0, 2000-r.length).replace(/%.?.?$/,''));</script><noscript><img style=\"position:absolute;z-index:-3334;top:0px;left:0px;visibility:hidden;\" src=\"http://www.tumblr.com/impixu?T=1370452750&J=eyJ0eXBlIjoidXJsIiwidXJsIjoiaHR0cDpcL1wvYmxvZy5penMubWVcL3Bvc3RcLzQ5Nzk3MDQ0NTU5XC9jdXJpb3NpdHktYW5kLXRoZS1wcmFjdGljZSIsInJlcXR5cGUiOjAsIm5vc2NyaXB0IjoxfQ==&U=NDLJAOKGKE&K=b3327e408d78b14639aa2a4e4058f6d38bcdc22adc9beca08257caa646c5e2cd&R=\"></noscript><script type=\"text/javascript\">var s=new Image(1,1);s.src=((r='http://www.tumblr.com/impixu?T=1370452750&J=eyJ0eXBlIjoicG9zdCIsInVybCI6Imh0dHA6XC9cL2Jsb2cuaXpzLm1lXC9wb3N0XC80OTc5NzA0NDU1OVwvY3VyaW9zaXR5LWFuZC10aGUtcHJhY3RpY2UiLCJyZXF0eXBlIjowLCJwb3N0cyI6W3sicG9zdGlkIjoiNDk3OTcwNDQ1NTkiLCJibG9naWQiOiIxMzE2MDg1Iiwic291cmNlIjozM31dfQ==&U=EKHLOAKJLC&K=7b65fb5e35a19bb61a9ec57bb9078c669d30b3f20d1df7a5fa435881f8140db1&R='.replace(/&R=[^&$]*/,'')) + ('&R='+escape(document.referrer)).substr(0, 2000-r.length).replace(/%.?.?$/,''));</script><noscript><img style=\"position:absolute;z-index:-3334;top:0px;left:0px;visibility:hidden;\" src=\"http://www.tumblr.com/impixu?T=1370452750&J=eyJ0eXBlIjoicG9zdCIsInVybCI6Imh0dHA6XC9cL2Jsb2cuaXpzLm1lXC9wb3N0XC80OTc5NzA0NDU1OVwvY3VyaW9zaXR5LWFuZC10aGUtcHJhY3RpY2UiLCJyZXF0eXBlIjowLCJwb3N0cyI6W3sicG9zdGlkIjoiNDk3OTcwNDQ1NTkiLCJibG9naWQiOiIxMzE2MDg1Iiwic291cmNlIjozM31dLCJub3NjcmlwdCI6MX0=&U=EKHLOAKJLC&K=8f1b9b22f1eec7d07607df96a6853e82c7136fc2a81b255bbbba567e72f82f12&R=\"></noscript></body>\r\n</html>\r\n"
],
[
"<!DOCTYPE html PUBLIC \"-//W3C//DTD XHTML 1.0 Transitional//EN\" \"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd\">\n<html xmlns=\"http://www.w3.org/1999/xhtml\" xml:lang=\"en\" lang=\"en\" xmlns:fb=\"http://www.facebook.com/2008/fbml\" xmlns:og=\"http://opengraphprotocol.org/schema/\">\n<head>\n\n<meta http-equiv=\"X-UA-Compatible\" content=\"IE=EmulateIE8\" />\n<meta http-equiv=\"Content-Type\" content=\"text/html; charset=utf-8\" />\n\n<title>Women's immune systems hold the secret to longer life - Telegraph</title>\r\n\r\n\r\n\r\n<meta name=\"description\" content=\"Women may live longer, healthier lives than men because their immune systems \n age more slowly, researchers have found.\" />\n\n<meta name=\"keywords\" content=\"Science News,Science\" />\r\n\r\n<link rel=\"shortcut icon\" href=\"/favicon.ico?v=1.2\">\n\t\t\t<meta name=\"tmgads.zone\" content=\"science.science-news\" />\r\n<meta name=\"tmgads.channel\" content=\"science\" />\r\n<meta name=\"tmgads.section\" content=\"science-science_news\" />\r\n\r\n<meta name=\"tmgads.articleid\" content=\"10056901\" />\r\n<meta name=\"tmgads.pagetype\" content=\"story\" />\r\n<meta name=\"tmgads.level\" content=\"3\" />\r\n<meta name=\"tmgads.otherdata\" content=\"\" />\r\n\r\n\r\n<meta name=\"tmgads.geo\" content=\"DK\" />\r\n\r\n\r\n<meta name=\"section-id\" content=\"4137\" />\r\n\r\n<meta name=\"last-modified\" content=\"2013-05-15\" />\r\n\t\t<meta name=\"article-id\" content=\"10056901\" />\r\n\t\t<meta name=\"title\" content=\"Women's immune systems hold the secret to longer life \" />\r\n\t\t<meta name=\"GSAMLC\" content=\"science/sciencenews\" />\r\n<meta name=\"GSAChannel\" content=\"science\" />\r\n\r\n<meta name=\"GSAChannelName\" content=\"Science\" />\r\n\r\n<meta name=\"GSACategory\" content=\"sciencenews\" />\r\n\t<meta name=\"GSASectionUniqueName\" content=\"science-science_news\" />\r\n\r\n<meta name=\"GSAArticleType\" content=\"Story\" />\r\n\t<meta name=\"DC.date.issued\" content=\"2013-05-15\" />\n<meta name=\"robots\" content=\"noarchive,noodp\" />\n\t<meta property=\"fb:app_id\" content=\"120118784736295\" />\n<meta property=\"fb:admins\" content=\"686953094,531239902,100002344351237\" />\n\n<meta property=\"og:description\" content=\"Women may live longer, healthier lives than men because their immune systems age more slowly, researchers have found.\" />\n<meta property=\"og:site_name\" content=\"Telegraph.co.uk\" />\n<meta property=\"og:title\" content=\"Women's immune systems hold the secret to longer life - Telegraph\" />\n<meta property=\"og:url\" content=\"http://www.telegraph.co.uk/science/science-news/10056901/Womens-immune-systems-hold-the-secret-to-longer-life.html\" />\n\n<meta property=\"og:image\" content=\"http://i.telegraph.co.uk/multimedia/archive/02562/lymphocytes_2562654k.jpg\" />\n<meta property=\"og:type\" content=\"article\" />\n<meta name=\"twitter:card\" content=\"summary\" />\n<meta name=\"twitter:site\" content=\"@Telegraph\" />\n\n<meta name=\"twitter:creator\" content=\"@chalkmark\" />\n<link rel=\"canonical\" href=\"http://www.telegraph.co.uk/science/science-news/10056901/Womens-immune-systems-hold-the-secret-to-longer-life.html\"/>\n\n<link rel=\"stylesheet\" type=\"text/css\" href=\"/template/ver1-0/css/screen.css\" media=\"screen\" />\n <link href='http://fonts.googleapis.com/css?family=Arvo:400,700' rel='stylesheet' type='text/css'>\n\n<link rel=\"stylesheet\" type=\"text/css\" href=\"/template/ver1-0/css/tracker.css\" media=\"screen\" />\n <link href='http://fonts.googleapis.com/css?family=Arvo:400,700' rel='stylesheet' type='text/css'>\n<link rel=\"stylesheet\" type=\"text/css\" href=\"/template/ver1-0/templates/fragments/common/tmglBrandCSS.jsp\" media=\"screen\" />\n\t<!--[if lte IE 6]>\n<link rel=\"stylesheet\" type=\"text/css\" href=\"/template/ver1-0/css/ie6.css\" media=\"screen\" />\n<![endif]-->\n<!--[if lte IE 7]>\n<link rel=\"stylesheet\" type=\"text/css\" href=\"/template/ver1-0/css/ie7.css\" media=\"screen\" />\n<![endif]-->\n\n<link rel=\"alternate\" type=\"application/rss+xml\" title=\"RSS Feed for Science News articles - Telegraph.co.uk\" href=\"http://www.telegraph.co.uk/science/science-news/rss\" />\n\n<script type=\"text/javascript\" src=\"/template/ver1-0/js/jquery-1.5.min.js\"></script>\n<script language=\"Javascript\" type=\"text/javascript\" src=\"/template/ver1-0/js/jquery.cookie.js\"></script>\n\n<script src='//d3c3cq33003psk.cloudfront.net/opentag-35657-106653.js'></script>\n\t\t<meta name=\"DCSext.MLC\" content=\"/science/science-news\" />\r\n\t<meta name=\"DCSext.Category\" content=\"science-news\" />\r\n\t\t\t\t\t\t\t<meta name=\"WT.cg_s\" content=\"science-news\" />\r\n\t\t\t\t\t\t<meta name=\"DCSext.Channel\" content=\"science\" />\r\n\t\t\t\t\t<meta name=\"WT.cg_n\" content=\"science\" />\r\n\t\t\t\t\t\t<meta name=\"DCSext.Content_Type\" content=\"Story\" />\r\n <meta name=\"DCSext.Level\" content=\"3\" />\r\n\t<meta name=\"DCSext.author\" content=\"Richard Gray\" />\r\n\t\t\t<meta name=\"DCSext.articleFirstPublished\" content=\"2013-05-14\" />\r\n\t<meta name=\"DCSext.articleId\" content=\"10056901\" />\r\n\r\n\t\t\r\n\t\r\n\r\n\r\n\r\n\t\t\r\n\r\n\t\t\r\n\t\t \t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\r\n\t\t \r\n\t\t\r\n\r\n\t\t\r\n\t\t\t<meta name=\"DCSext.cf\" content=\"1\"/>\t\r\n\t\t\t \t<meta name=\"DCSext.pd\" content=\"1\"/>\r\n\t\t\t \r\n\t\t\r\n\r\n\r\n\t\t<script src=\"/template/ver1-0/js/webtrends/WTDcsVid.js\" type=\"text/javascript\"></script>\r\n<script src=\"/template/ver1-0/js/webtrends/LIVE/WTID.js\" type=\"text/javascript\"></script>\r\n<!-- <script src=\"/template/ver1-0/js/asyncwebtrends/webtrends.js\" type=\"text/javascript\"></script> -->\r\n<script>\r\nwindow.webtrendsAsyncInit=function(){\r\n var dcs=new Webtrends.dcs().init({\r\n dcsid:\"dcsz8d3revz5bdaez1q24pfc4_7k6c\",\r\n domain:\"webtrends.telegraph.co.uk\",\r\n timezone:0,\r\n adimpressions:true,\r\n adsparam:\"WT.ac\",\r\n offsite:false,\r\n download:true,\r\n downloadtypes:\"xls,doc,pdf,txt,csv,zip,docx,xlsx,rar,gzip\",\r\n metanames:\"DCSext.MLC, DCSext.source, DCSext.Category, DCSext.Genre, DCSext.Channel, DCSext.imageNo, DCSext.GalleryType, DCSext.Content_Type, DCSext.Level, DCSext.author, DCSext.articleFirstPublished, DCSext.articleId, DCSext.productProvider, DCSext.productName, DCSext.EA_Search_Type, DCSext.EA_Search_Engine, DCSext.EA_Search_Phrase, DCSext.oss, DCSext.ossType, DCSext.cf, DCSext.cn, DCSext.cd, DCSext.pd\", \r\n fpcdom:\".telegraph.co.uk\",\r\n plugins:{\r\n hm:{src:\"/template/ver1-0/js/asyncwebtrends/webtrends.hm.js\",hmurlparams:\"frame,image\"}\r\n }\r\n });\r\n if ($.cookie(\"tmg_subs\") != null){\r\n \tvar ts = $.parseJSON($.cookie(\"tmg_subs\"));\r\n dcs.DCSext.location = ts.location;\r\n \tdcs.DCSext.trialDescription =ts.trialDescription;\r\n\t dcs.DCSext.subscriptionType = ts.subscriptionType;\r\n\t dcs.DCSext.flowType = ts.flowType;\r\n\t dcs.DCSext.productType = ts.productType;\r\n\t dcs.DCSext.serviceId = ts.serviceId;\r\n\t dcs.DCSext.servicePriceId = ts.servicePriceId;\r\n\t\r\n\t dcs.DCSext.discountVoucher = ts.discountVoucher;\r\n\t dcs.DCSext.partnerName = ts.partnerName;\r\n\t dcs.DCSext.currentPromoName = ts.currentPromoName;\r\n\t dcs.DCSext.sourcePromoName = ts.sourcePromoName;\r\n\t dcs.DCSext.promoType = ts.promoType;\r\n\t dcs.DCSext.tCode = ts.tCode;\r\n\t dcs.DCSext.status = ts.status == true && ts.acquisitionCompleted == true ? 'Active':'Inactive';\r\n\r\n }\r\n dcs.track();\r\n\r\n};\r\n(function(){\r\n var s=document.createElement(\"script\"); s.async=true; s.src=\"/template/ver1-0/js/asyncwebtrends/webtrends.js\";\r\n var s2=document.getElementsByTagName(\"script\")[0]; s2.parentNode.insertBefore(s,s2);\r\n}());\r\n</script>\r\n\r\n<noscript>< img alt=\"dcsimg\" id=\"dcsimg\" width=\"1\" height=\"1\" src=\"//webtrends.telegraph.co.uk/dcsz8d3revz5bdaez1q24pfc4_7k6c/njs.gif?MLC=&amp;Channel=&amp;Genre=&amp;Category=&amp;Content_Type=&amp;Level=&amp;source=&amp;dcsuri=/nojavascript&amp;WT.js=No&amp;WT.tv=10.2.10&amp;dcssip=www.telegraph.co.uk\"/></noscript>\r\n\r\n\r\n\r\n<!--[if IE 9 ]>\r\n\t<script type=\"text/javascript\">\r\n\t\tif ('external' in window && 'msIsSiteMode' in window.external) {\r\n\t\t\tvar appVersion = navigator.appVersion;\r\n\t\t\tif (window.external.msIsSiteMode()&& !(appVersion.indexOf(\"Windows NT 6.0\") !== -1)){\r\n\t\t\t\tdocument.writeln(\"<meta name=\\\"DCSext.JL\\\" content=\\\"true\\\" />\")\r\n\r\n\t\t\t\tif (window.external.msIsSiteModeFirstRun(false) > 0) {\r\n\t\t\t\t\ttry{\r\n\t\t\t\t\t\t\tdocument.writeln(\"<meta name=\\\"DCSext.PINNED\\\" content=\\\"1\\\" />\")\r\n\t\t\t\t\t\t}\r\n\t\t\t\t\tcatch(e){}\r\n\t\t\t\t}\r\n\t\t\t}\r\n\t\t}\r\n\t</script>\r\n\t<![endif]-->\r\n<script type=\"text/javascript\" src=\"http://s.telegraph.co.uk/maxymiser/production/js/mmcore.js\"></script>\n<script type=\"text/javascript\"> \n//Events tracking for Google Analytics \nfunction trackGoogle() { \ntry {var pageTracker = _gat._getTracker(\"UA-7226372-1\");pageTracker._trackPageview();} catch(err) {} \n} \n\n//External links tracking through Google Analytics \nfunction isLinkExternal(link) { \n var r = new RegExp('^https?://(?:www.)?' + location.host.replace(/^www./, '')); \n return !r.test(link); \n} \n$(document).ready(function() { \n $(document).bind('click', function(e) { \n var target = (window.event) ? e.srcElement : e.target; \n while (target) { \n if (target.href) break; \n target = target.parentNode; \n } \n if (!target || !isLinkExternal(target.href)) return true; \n var link = target.href; \n link = '/outgoing/' + link.replace(/:\\/\\//, '/'); \n _gaq.push(['_trackPageview', link]); \n }); \n}); \n\n var _gaq = _gaq || []; \n _gaq.push(['_setAccount', 'UA-7226372-1']); \n _gaq.push(['_setDomainName', 'telegraph.co.uk']); \n _gaq.push(['_trackPageview']); \n\n (function() { \n var ga = document.createElement('script'); ga.type = 'text/javascript'; ga.async = true; \n ga.src = ('https:' == document.location.protocol ? 'https://ssl' : 'http://www') + '.google-analytics.com/ga.js'; \n var s = document.getElementsByTagName('script')[0]; s.parentNode.insertBefore(ga, s); \n })(); \n\n</script>\t\t\n<script type=\"text/javascript\" language=\"JavaScript\"> \n // Wunderloop/Adprobe Tag \n // Male : 13463,13464 \n // Female: 13399,13400 \n var wlOrd = new Date().getTime(); \n var wlFSites = ['culture','fashion','gardening','health','lifestyle','travel','women','foodanddrink','food_and_drink'];\n var wlFSects = ['news.newstopics.celebritynews','news.newstopics.theroyalfamily','travel.cruises','travel.destination','travel.destinations','travel.hotel','culture.art','culture.books','culture.music.opera','culture.theatre'];\n var wlMSites = ['earth','education','finance','history','motoring','news','property','science','sport','technology'];\n var wlMSects = ['travel.activityandadventure','travel.snowandski','culture.film','culture.music','culture.photography','culture.tvandradio'];\n // create a function to deal with metatag values \n function wlGetMetaTag(tagname){\t \n var tmp = \"null\"; \n if(document.getElementsByName(tagname)[0] != null){ \n tmp = document.getElementsByName(tagname)[0].content; \n } \n return tmp.toLowerCase(); \n } \n var wlSite = wlGetMetaTag(\"tmgads.channel\"); \n var wlSect = wlGetMetaTag(\"tmgads.zone\");\n // Male Sites \n for(var i=0;i<wlMSites.length;i++){ \n if(wlMSites[i]===wlSite){ \n var wlTag = \"http://req.connect.wunderloop.net/AP/1585/6731/13463/js?cus=13463,13464&ord=\"+wlOrd;\n } \n } \n // Female Sites \n for(var i=0;i<wlFSites.length;i++){ \n if(wlFSites[i]===wlSite){ \n var wlTag = \"http://req.connect.wunderloop.net/AP/1585/6731/13399/js?cus=13399,13400&ord=\"+wlOrd;\n } \n } \n // Male Sections \n for(var i=0;i<wlMSects.length;i++){ \n if(wlMSects[i]===wlSect){ \n var wlTag = \"http://req.connect.wunderloop.net/AP/1585/6731/13463/js?cus=13463,13464&ord=\"+wlOrd;\n } \n } \n // Female Sections \n for(var i=0;i<wlFSects.length;i++){ \n if(wlFSects[i]===wlSect){ \n var wlTag = \"http://req.connect.wunderloop.net/AP/1585/6731/13399/js?cus=13399,13400&ord=\"+wlOrd;\n } \n } \n // write the tag \n try { \t \n\t if(wlTag != undefined)\t\t \n\t\t\tdocument.write('<scr'+'ipt type=\"text/javascript\" language=\"JavaScript\" src=\"'+wlTag+'\"></scr'+'ipt>');\t\t \n } catch(err) {\t \n // catch errors \n } \n\n</script>\t\t\n<script type=\"text/javascript\">\n var gs_channels=\"default\";\n // Last-updated: 2013-05-28 20:50:25.378\ngs_channels=\"gs_benenden\";\n\n</script>\n<script type=\"text/javascript\"> \n var qcSegs = ''; \n var qcResults = function(qc){ \n for (var i=0;i<=qc.segments.length-1;i++){ \n if(qc.segments[i].id != 'D' && qc.segments[i].id != 'T') qcSegs += ';qc='+qc.segments[i].id; \n } \n } \n</script> \n<script type=\"text/javascript\" src=\"http://pixel.quantserve.com/api/segments.json?a=p-gyXAHFFgnNQDj&callback=qcResults\"></script>\n\n\n\t\t\n\t\t\t<script language=\"Javascript\" type=\"text/javascript\" src=\"/template/ver1-0/js/dfp.js\"></script>\n\t\t\n\t\n\n<link rel=\"stylesheet\" type=\"text/css\" href=\"/template/ver1-0/css/subscriber.css\" media=\"screen\" />\n<script language=\"Javascript\" type=\"text/javascript\" src=\"/template/ver1-0/js/ajax.js\"></script>\n\n<script language=\"Javascript\" type=\"text/javascript\" src=\"/template/ver1-0/js/commWidget.js\"></script>\n\n\n<!-- Begin KRUX Digital Control Tag for The Telegraph -->\n<!-- End KRUX Digital Control Tag for The Telegraph -->\n\n\n\t\t<!-- Begin comScore Tag -->\n<script>\n\tvar _comscore = _comscore || [];\n\t_comscore.push({\n\t\tc1 : \"2\",\n\t\tc2 : \"6035736\"\n\t});\n\t(function() {\n\t\tvar s = document.createElement(\"script\"), el = document\n\t\t\t\t.getElementsByTagName(\"script\")[0];\n\t\ts.async = true;\n\t\ts.src = (document.location.protocol == \"https:\" ? \"https://sb\"\n\t\t\t\t: \"http://b\")\n\t\t\t\t+ \".scorecardresearch.com/beacon.js\";\n\t\tel.parentNode.insertBefore(s, el);\n\t})();\n</script>\n<noscript>\n\t<img src=\"http://b.scorecardresearch.com/p?c1=2&c2=6035736&cv=2.0&cj=1\" />\n</noscript>\n<!-- End comScore Tag -->\n\n</head>\n\n<body>\n\t<script type=\"text/javascript\">\n\t\tvar subsInfo = new Object();\n\t\tsubsInfo.channel = $('meta[name=\"DCSext.Channel\"]').attr(\"content\");\n\t\tif(subsInfo.channel==undefined){subsInfo.channel='';}\n\t\tsubsInfo.mlc = $('meta[name=\"DCSext.MLC\"]').attr(\"content\");\n\t\tif(subsInfo.mlc==undefined){subsInfo.mlc='';}\n\t\tsubsInfo.category = $('meta[name=\"DCSext.Category\"]').attr(\"content\");\n\t\tif(subsInfo.category==undefined){subsInfo.category='';}\n\t\tsubsInfo.level = $('meta[name=\"DCSext.Level\"]').attr(\"content\");\n\t\tif(subsInfo.level==undefined){subsInfo.level='';}\n\t\tsubsInfo.author = $('meta[name=\"DCSext.author\"]').attr(\"content\");\n\t\tif(subsInfo.author==undefined){subsInfo.author='';}\n\t\tsubsInfo.content_type = $('meta[name=\"DCSext.Content_Type\"]').attr(\"content\");\n\t\tif(subsInfo.content_type==undefined){subsInfo.content_type='';}\n\t\tsubsInfo.articleId = $('meta[name=\"DCSext.articleId\"]').attr(\"content\");\n\t\tif(subsInfo.articleId==undefined){subsInfo.articleId='';}\n\t\tvar subsJson = JSON.stringify(subsInfo);\n\t\t$.cookie(\"tmg_subs_referer\",subsJson, { path: '/', domain: 'telegraph.co.uk'});\n\t\tvar inviteWTUrlSuffix='?channel='+ subsInfo.channel+'&mlc='+subsInfo.mlc+'&category='+ subsInfo.category+'&level='+subsInfo.level+'&author='+subsInfo.author+'&content_type='+subsInfo.content_type+'&articleId='+subsInfo.articleId;\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t\tvar inviteUrl = \"/subscriptions/invitation-intl/\"+inviteWTUrlSuffix;\n\t\t\t\t\n\t\t\t\n\t\n\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\n\t\tvar plink = \"http://www.telegraph.co.uk/template/ver1-0/templates/fragments/common/toolBar-js.jsp\";\n\t</script>\n\t<script src=\"\" type=\"text/javascript\" ></script>\n\t<script src=\"http://s.telegraph.co.uk/toolbar/js/tmgMenu.js\" type=\"text/javascript\" ></script>\n<script src=\"/template/ver1-0/js/asyncwebtrends/webtrends.load.js\" type=\"text/javascript\"></script>\n<script type=\"text/javascript\">\nwindow.webtrendsAsyncLoad = function(dcs){\n\tdcs.addTransform(function(dcs,opt){\n\t// add/edit/remove tags or cancel call with opt.prevent\n\tdcs.site=\"MySite\";\n\t},'all');\n};\n// Async Init/Config function, called by webtrends.js after load\nwindow.webtrendsAsyncInit = function() {\n\tvar dcs=new Webtrends.dcs().init({\n\tdcsid:\"dcsz8d3revz5bdaez1q24pfc4_7k6c\",\n\tdomain:\"statse.webtrendslive.com\",\n\ttimezone:0\n\t}).track();\n};\n(function() {\n\tvar s = document.createElement('script'); s.async = true;s.type=\"text/javascript\";\n\ts.src = '/template/ver1-0/js/asyncwebtrends/webtrends.js';// webtrends.js\n\tvar s2=document.getElementsByTagName(\"script\")[0];s2.parentNode.insertBefore(s,s2);\n}());\n</script>\n<!--[if lte IE 6]>\n<div id=\"ieLteSix\">\n\t<div class=\"ieLteSixBanner\">\n\t\t<table cellspacing=\"0\" cellpadding=\"0\">\n\t\t\t<tbody>\n\t\t\t\t<tr>\n\t\t\t\t\t<td class=\"ieLteSixLeft\">\n\t\t\t\t\t\t<p class=\"ieFirstP\">We no longer check to see whether Telegraph.co.uk displays properly in Internet Explorer version 6 or earlier.</p>\n\t\t\t\t\t\t<p class=\"ieSecondtP\">To see our content at its best we recommend <a href=\"/browser-support/\">upgrading if you wish to continue using IE or using another browser such as Firefox, Safari or Google Chrome.</a></p>\n\t\t\t\t\t</td>\n\t\t\t\t\t<td valign=\"top\" class=\"ieLteSixRight\">\n\t\t\t\t\t\t<a href=\"#\" id=\"ieX\"><img width=\"20\" height=\"20\" border=\"0\" alt=\"Hide this banner\" src=\"/template/ver1-0/i/ieX.gif\"></a>\n\t\t\t\t\t</td>\n\t\t\t\t</tr>\n\t\t\t</tbody>\n\t\t</table>\n\t</div>\n</div>\n<script language=\"Javascript\" type=\"text/javascript\" src=\"/template/ver1-0/js/ieSix.js\"></script>\n<![endif]-->\n\n<!-- googleoff: all -->\n<a name=\"top\"></a>\n\n<div class=\"hidden\">\r\n\t<p>Accessibility links</p>\r\n\t<ul>\r\n\t<li><a href=\"#article\">Skip to article</a></li>\r\n\t\t<li><a href=\"#mainsections\">Skip to navigation</a></li>\r\n\t</ul>\r\n</div><div id=\"tmglSite\">\n\t<div class=\"printLogo\"><img src=\"/template/ver1-0/i/telegraph_print_190.gif\"/></div>\n\n\t<div id=\"tmglHeader\" class=\"\">\r\n\t<div id=\"tmglBannerAd\">\r\n\t\t<div class=\"access\">Advertisement</div>\r\n<div class=\"adbanner\" align=\"center\">\r\n\t<div id=\"banner\" class=\"InSkinHide\">\r\n\t\t<script type=\"text/javascript\">\r\n\t\tdocument.write(tmgAdsBuildAdTag(\"ban\", \"940x250,728x90,468x60\", \"adj\", \"\", 2));\r\n\t\t</script>\r\n\t</div>\r\n</div>\r\n\r\n\r\n\r\n\r\n\r\n\r\n</div>\r\n\t<div id=\"tmglBrandLarge\">\r\n\t\t\t<a href=\"/\">\r\n\t\t\t\t<div id=\"brand\">Telegraph.co.uk</div></a>\r\n\t\t\t\r\n\t\t\t<div id=\"topBarRightContainer\">\r\n\t\t\t\t<div id=\"searchBar\">\r\n\t\t\t\t\t<div id=\"searchBlock\">\n\t<form name=\"tg_search\" id=\"tg_search\" method=\"get\" action=\"/search/\">\n\t\t<input type=\"text\" class=\"searchBox google\" name=\"queryText\" value=\"\" size=\"19\" tabindex=\"1\" />\n\t\t<input type=\"submit\" class=\"formSubmit\" tabindex=\"2\" id=\"go\" name=\"Search\" value=\"\" alt=\"Search\" />\n\t</form>\n\t<div class=\"cl\"></div>\n</div>\n</div>\r\n\t\t\t\t<div id=\"tmgTopBar\">\r\n\t\t\t\t<div id=\"tmglTopRight\" class=\"tmgTopBarDate\">\r\n\t\t\t\t\t<div id=\"tmglLasUpdatedDateFeed\">\n\t<p>\n\t\tTuesday 28 May 2013</p>\n</div>\n\n</div>\r\n\t\t\t</div></div>\r\n\t\t\t\r\n\t\t\t<div class=\"cl\"></div>\r\n\t\t</div>\r\n\t\t<div class=\"cl\"></div>\r\n\t</div>\r\n<!-- googleon: all -->\n\t\t\t<!-- googleoff: all -->\r\n\t<div id=\"tmglMenu\">\n\t<div id=\"tmglPriExWrap\">\n\t\t<div id=\"tmglPrimaryNav\" class=\"nonActiveNav\">\n\t\t\t<div class=\"access\"><a name=\"mainsections\"></a></div>\n\t<ul class=\"mainNav\">\n\t\t<li class=\"first styleOne\"><a href=\"http://www.telegraph.co.uk/\">Home</a></li>\n\t\t\t\t\t\t\t<li class=\"selected styleOne\" id=\"menuItemstyleOne\"><a href=\"http://www.telegraph.co.uk/news/\">News</a></li>\n\t\t\t\t\t\t\t<li class=\"styleOne\"><a href=\"http://www.telegraph.co.uk/news/worldnews/\">World</a></li>\n\t\t\t\t\t\t\t<li class=\"styleOne\"><a href=\"http://www.telegraph.co.uk/sport/\">Sport</a></li>\n\t\t\t\t\t\t\t<li class=\"styleOne\"><a href=\"http://www.telegraph.co.uk/finance/\">Finance</a></li>\n\t\t\t\t\t\t\t<li class=\"styleOne\"><a href=\"http://www.telegraph.co.uk/comment/\">Comment</a></li>\n\t\t\t\t\t\t\t<li class=\"styleOne\"><a href=\"http://blogs.telegraph.co.uk\">Blogs</a></li>\n\t\t\t\t\t\t\t<li class=\"styleOne\"><a href=\"http://www.telegraph.co.uk/culture/\">Culture</a></li>\n\t\t\t\t\t\t\t<li class=\"styleOne\"><a href=\"http://www.telegraph.co.uk/travel/\">Travel</a></li>\n\t\t\t\t\t\t\t<li class=\"styleOne\"><a href=\"http://www.telegraph.co.uk/lifestyle/\">Life</a></li>\n\t\t\t\t\t\t\t<li class=\"styleOne\"><a href=\"http://fashion.telegraph.co.uk\">Fashion</a></li>\n\t\t\t\t\t\t\t<li class=\"styleOne\"><a href=\"http://www.telegraph.co.uk/technology/\">Tech</a></li>\n\t\t\t\t\t\t\t</ul></div>\n\t\t<div id=\"tmglExtraNav\">\n\t<ul class=\"extraNav\">\n\t\t<li class=\"first\">\n\t\t\t\t\t<a href=\"http://dating.telegraph.co.uk/s/a/4167\">Dating</a>\n\t\t\t\t</li>\n\t\t\t\t<li>\n\t\t\t\t\t<a href=\"http://www.telegraph.co.uk/promotions/\">Offers</a>\n\t\t\t\t</li>\n\t\t\t\t<li>\n\t\t\t\t\t<a href=\"http://jobs.telegraph.co.uk\">Jobs</a>\n\t\t\t\t</li>\n\t\t\t\t</ul>\n\t<div class=\"cl\"></div>\n</div> \n<div class=\"cl\"></div>\n\t</div>\n\n\t<div id=\"tmglSecondNav\" class=\"activeNav styleOne\">\n\t\t\t<ul class=\"mainNav\">\n\t\t\t\t\t<li class=\"first styleOne\"><a href=\"http://www.telegraph.co.uk/news/politics/\">Politics</a></li>\n\t\t\t\t\t\t\t\t\t<li class=\"styleOne\"><a href=\"http://www.telegraph.co.uk/news/obituaries/\">Obits</a></li>\n\t\t\t\t\t\t\t\t\t<li class=\"styleOne\"><a href=\"http://www.telegraph.co.uk/education/\">Education</a></li>\n\t\t\t\t\t\t\t\t\t<li class=\"styleOne\"><a href=\"http://www.telegraph.co.uk/earth/\">Earth</a></li>\n\t\t\t\t\t\t\t\t\t<li class=\"selected styleOne\"><a href=\"http://www.telegraph.co.uk/science/\">Science</a></li>\n\t\t\t\t\t\t\t\t\t<li class=\"styleOne\"><a href=\"http://www.telegraph.co.uk/news/uknews/defence/\">Defence</a></li>\n\t\t\t\t\t\t\t\t\t<li class=\"styleOne\"><a href=\"http://www.telegraph.co.uk/health/healthnews/\">Health</a></li>\n\t\t\t\t\t\t\t\t\t<li class=\"styleOne\"><a href=\"http://www.telegraph.co.uk/news/uknews/scotland/\">Scotland</a></li>\n\t\t\t\t\t\t\t\t\t<li class=\"styleOne\"><a href=\"http://www.telegraph.co.uk/news/uknews/theroyalfamily/\">Royal</a></li>\n\t\t\t\t\t\t\t\t\t<li class=\"styleOne\"><a href=\"http://www.telegraph.co.uk/news/celebritynews/\">Celebrities</a></li>\n\t\t\t\t\t\t\t\t\t<li class=\"styleOne\"><a href=\"http://www.telegraph.co.uk/news/newstopics/howaboutthat/\">Weird</a></li></ul>\n\t\t\t\t<div class=\"cl\"></div>\n\t\t\t</div>\n\t<div id=\"tmglThirdNav\">\n\t\t\t\t\t<ul class=\"mainNav\">\n\t\t\t\t\t\t<li class=\"selected first \"><a href=\"http://www.telegraph.co.uk/science/science-news/\">Science News</a></li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t<li class=\"\"><a href=\"http://www.telegraph.co.uk/science/space/\">Space</a></li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t<li class=\"\"><a href=\"http://www.telegraph.co.uk/science/space/nightsky/\">Night Sky</a></li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t<li class=\"\"><a href=\"http://www.telegraph.co.uk/science/roger-highfield/\">Roger Highfield</a></li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t<li class=\"\"><a href=\"http://www.telegraph.co.uk/science/dinosaurs/\">Dinosaurs</a></li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t<li class=\"\"><a href=\"http://www.telegraph.co.uk/science/evolution/\">Evolution</a></li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t<li class=\"\"><a href=\"http://www.telegraph.co.uk/science/steve-jones/\">Steve Jones</a></li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t<li class=\"\"><a href=\"http://www.telegraph.co.uk/science/picture-galleries/\">Science Picture Galleries</a></li>\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t</ul>\n\t\t\t\t\t<div class=\"cl\"></div>\n\t\t\t\t</div>\n\t\t\t\t<div id=\"tmglCrumbtrail\">\r\n\t\t<ol>\r\n\t\t\t<li class=\"first\"><a href=\"/\">Home</a><span>&raquo;</span></li>\r\n\t\t\t<li><a href=\"http://www.telegraph.co.uk/science/\">Science</a><span>&raquo;</span></li>\r\n\t\t\t\t\t<li class=\"styleOne\"><a href=\"http://www.telegraph.co.uk/science/science-news/\">Science News</a></li></ol>\r\n\t\t<div class=\"cl\"></div>\r\n\t</div>\r\n</div>\n\n<!-- googleon: all -->\r\n<div id=\"tmglBody\" >\r\n\t<div class=\"access\"><a name=\"article\"></a></div>\r\n\r\n\t<div class=\"twoThirdsThird2 gutterUnder\">\r\n\t\t<div class=\"twoThirds gutter\" >\r\n\t\t\t<div class=\"storyHead\">\r\n\r\n\t<h1>Women's immune systems hold the secret to longer life </h1>\r\n\t\t<h2>\nWomen may live longer, healthier lives than men because their immune systems \n age more slowly, researchers have found. \n\n</h2>\r\n\t<div class=\"artIntro\">\r\n\t\t\t\t\t<div id=\"storyEmbSlide\">\r\n\t\t\t<div class=\"slideshow ssIntro\">\r\n\t\t\t\t<div class=\"nextPrevLayer\">\r\n\t\t\t\t\t\t\t<div class=\"ssImg\">\r\n\t\t\t\t\t\t\t\t\t<img src=\"http://i.telegraph.co.uk/multimedia/archive/02562/lymphocytes_2562654b.jpg\" width=\"620\" height=\"387\" alt=\"Women's immune systems hold the secret to longer life \"/>\r\n\t\t\t\t\t\t\t\t\t<div class=\"artImageExtras\" >\r\n\t\t\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t\t\t\t<div class=\"ingCaptionCredit\">\r\n\t\t\t\t\t\t\t\t\t\t\t<span class=\"caption\">The number of T-cell and B-cell lymphocytes decline faster in men</span>&nbsp;<span class=\"credit\">Photo: Alamy</span></div>\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t\t\t</div>\r\n\t\t\t\t\t\t\t\t</div>\r\n\t\t\t\t\t\t\t</div>\t\t\t\r\n\t\t\t\t\t</div>\r\n\t\t</div>\r\n\t\t\r\n\t</div>\t\r\n\t\t\t</div>\r\n<div class=\"oneHalf gutter\">\r\n\t\t\t <div class=\"story\">\r\n\t\t\t\t\t<div class=\"cl\"> </div>\r\n\t\t<!-- remove the whitespace added by escenic before end of </a> tag -->\r\n\t\t\t\t<div class=\"bylineComments\">\r\n\t\t<div >\r\n\t\t\t\r\n\t\t\t<div class=\"bylineImg\">\r\n\t\t\t\t\t\t<a href=\"http://www.telegraph.co.uk/news/\" ><img src=\"http://i.telegraph.co.uk/multimedia/archive/01770/Gray_60_1770661j.jpg\" alt=\"Richard Gray\" border=\"0\" width=\"60\" height=\"60\" ></a>\r\n\t\t\t\t\t</div>\r\n\t\t\t\t<p class=\"bylineBody\">\r\n\t\t\t\t\t\t\tBy <a rel=\"author\" title=\"Richard Gray\" href=\"http://www.telegraph.co.uk/journalists/richard-gray/\" >\r\n\t\t\t\t\t\t\t\t\t\t\tRichard Gray</a>, <span >Science Correspondent</span></p>\r\n\t\t\t\t\t\r\n\t\t\t\t\t</div>\r\n\t\t<p class=\"publishedDate\">7:01AM BST 15 May 2013</p>\r\n\t\t\r\n\t\t<div class=\"bylineSocialButtons\">\r\n\t\t\t\t\t<iframe class=\"bylineSocialButtonTwitter\" allowtransparency=\"true\" frameborder=\"0\" scrolling=\"no\" src=\"http://platform.twitter.com/widgets/follow_button.html?show_screen_name=false&show_count=true&screen_name=chalkmark\"></iframe>\r\n\t\t\t\t\t</div>\r\n\t\t\t<p class=\"comments\">\r\n\t\t\t\t<img src=\"/template/ver1-0/i/share/comments.gif\" alt=\"Comments\" /><a href=\"http://www.telegraph.co.uk/science/science-news/10056901/Womens-immune-systems-hold-the-secret-to-longer-life.html#disqus_thread\" dsqid=\"10056901\">Comments</a>\r\n\t\t\t</p>\r\n\t\t<div class=\"cl\"> </div>\r\n\t</div>\r\n\t<div id=\"mainBodyArea\" >\r\n\r\n\t\r\n\t\t\t \t\r\n\t\t\t\t\t<div class=\"firstPar\"><p>\nA new study has shown that levels of key white blood cells, which are \n responsible for fighting off infections, become lower in men as they get \n older compared to women. \n</p></div><div class=\"secondPar\">\n<p>\nThe average life expectancy for men in the UK is 79 years old, while for women \n it is 82 years old. In some parts of the world, such as Japan, the gap is \n even larger, with women living on average nearly six years longer. \n</p></div><div class=\"thirdPar\">\n<p>\nThere have been a number of theories for why this may be, including a recent \n finding that the tiny &ldquo;power cells&rdquo; that produce energy for their cells <a href=\"http://www.telegraph.co.uk/health/healthnews/9448608/Why-women-live-longer-than-men.html\">tend \n to have fewer faults than in men</a>. \n</p></div><div class=\"fourthPar\">\n<p>\nScientists in Japan have now uncovered another reason after finding that the \n levels of white blood cells and other parts of the immune system called \n cytokines decline faster in men. \n</p></div><div class=\"fifthPar\">\n<p>\nThey believe this might be because female sex hormones such as oestrogen can \n boost the immune system&rsquo;s response to infections. \n</p></div><div id=\"tmg-related-links\" class=\"related_links_inline\">\r\n\t\t\t<div class=\"headerOne styleOne\"><h2><span>Related Articles</span></h2></div>\r\n\t\r\n\t\t\t<ul>\r\n\t\r\n\t\t\t\t<li class=\"bullet\">\r\n\t\t\t\t\t\t\t\t\t\t\t\t\t<p>\t\r\n\t\t\t<a href=\"/technology/social-media/10065472/We-need-to-relearn-the-art-of-dying.html\">We need to relearn the art of dying</a>\n\t\t</p>\r\n\r\n\t<span class=\"relContDate\">18 May 2013</span>\r\n\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\r\n\t\t\t\t\t\t\t\t\t\t\t\t<li class=\"bullet\">\r\n\t\t\t\t\t\t\t\t\t\t\t\t\t<p>\t\r\n\t\t\t<a href=\"/health/healthnews/9448608/Why-women-live-longer-than-men.html\">Why women live longer than men</a>\n\t\t</p>\r\n\r\n\t<span class=\"relContDate\">03 Aug 2012</span>\r\n\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\r\n\t\t\t\t\t\t\t\t\t\t\t\t<li class=\"bullet\">\r\n\t\t\t\t\t\t\t\t\t\t\t\t\t<p>\t\r\n\t\t\t<a href=\"/health/8566594/Why-do-men-die-younger-than-women.html\">Why do men die younger than women?</a>\n\t\t</p>\r\n\r\n\t<span class=\"relContDate\">13 Jun 2011</span>\r\n\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\r\n\t\t\t\t\t\t\t\t\t\t\t\t<li class=\"bullet\">\r\n\t\t\t\t\t\t\t\t\t\t\t\t\t<p>\t\r\n\t\t\t<a href=\"/health/men_shealth/5426895/Men-live-longer-if-they-marry-a-younger-woman.html\">Men 'live longer' if they marry younger woman</a>\n\t\t</p>\r\n\r\n\t<span class=\"relContDate\">02 Jun 2009</span>\r\n\t\t\t\t\t\t\t\t\t\t\t\t\t</li>\r\n\t\t\t\t\t\t\t\t\t\t\t\t</ul>\r\n\t\t</div>\r\n\t<div class=\"body\">\n<p>\nThe work could now help scientists predict the \"biological age\" of \n people based on the state of their immune system. \n</p>\n<p>\nProfessor Katsuiku Hirokawa, who led the research at Tokyo Medical &amp; \n Dental University, said: \"Because people age at different rates, a \n person's immunological parameters could be used to provide an indication of \n their true biological age.\" \n</p>\n<p>\nThe scientists, whose research is published in the journal <i><a href=\"http://www.immunityageing.com/\">Immunity \n and Ageing</a></i>, examined the blood of 356 men and women aged between 20 \n and 90 years old. \n</p>\n<p>\nThey looked at levels of white blood cells and cytokines, which help to carry \n messages in the immune system. \n</p>\n<p>\nIn both sexes the number of white blood cells decreased with age, but two key \n elements &ndash; known as the T-cell and B-cell lymphocytes, declined faster in \n men. \n</p>\n<p>\nBoth of these white blood cells are involved in fighting off bacterial \n infections. \n</p>\n<p>\nThey also found that another type of cell that tackles viruses and tumours \n increased with age, with women having a higher rate of increase than men. \n</p>\n<p>\nThey also found that men showed a decline in two types of cytokines that help \n to keep the immune system under control and prevent inflammation from \n damaging surrounding tissue. \n</p>\n<p>\nProfessor Hirokawa added: &ldquo;It is well known that ageing is associated with a \n decline in the normal function of the immune system, leading to increased \n susceptibility to various diseases and shortened longevity. \n</p>\n<p>\n&ldquo;However, specific dysfunctions in the immune system directly responsible for \n this have yet to be identified. \n</p>\n<p>\n&ldquo;Among the important factors, T cells are central to the immune response, and \n their function is significantly altered with increasing age.\" \n</p>\n</div>\r\n\t\t\t \r\n\t\t<div class=\"cl\"></div>\r\n</div></div>\r\n\t\t\t</div>\r\n\r\n <div class=\"oneSixth\">\r\n\t<!-- googleoff: all -->\r\n\t\t\t\t<div id=\"shareSideContainer\" class=\"loading\">\n\t\t<div class=\"print invisible\"><a href=\"javascript:print()\" alt=\"Print\" title=\"Print\">&nbsp;</a></div>\n\t\t<div id=\"shareSide\" class=\"storyFunc nobord\"></div>\n\t\t<div class=\"cl\"></div>\n\t</div>\n<div class=\"storyfct\">\r\n\t\t\t\t\t<div id=\"storyMoreOnFucntion\">\r\n\t\t<div class=\"secLinks\">\r\n\r\n\t\t\t<div class=\"section\">\r\n\t\t\t\t<div class=\"name\">\r\n\t\t\t\t\t<h2><a href=\"http://www.telegraph.co.uk/science/science-news/\">Science News</a></h2>\r\n\t\t\t\t</div>\r\n\t\t\t\t\r\n\t\t\t\t<div class=\"cl\"></div>\r\n\t\t\t</div>\r\n\r\n\t\t\t<ul>\r\n\t\t\t\t\t<li class=\"first\">\r\n\t\t\t\t\t\t\t\t\t<h3><a href=\"http://www.telegraph.co.uk/news/\">News &#187;</a></h3>\r\n\t\t\t\t\t\t\t\t</li>\r\n\t\t\t\t\t\t\t\t<li>\r\n\t\t\t\t\t\t\t\t\t<h3><a href=\"http://www.telegraph.co.uk/science/\">Science &#187;</a></h3>\r\n\t\t\t\t\t\t\t\t</li>\r\n\t\t\t\t\t\t\t\t<li>\r\n\t\t\t\t\t\t\t\t\t<h3><a href=\"http://www.telegraph.co.uk/health/\">Health &#187;</a></h3>\r\n\t\t\t\t\t\t\t\t</li>\r\n\t\t\t\t\t\t\t\t<li>\r\n\t\t\t\t\t\t\t\t\t<h3><a href=\"http://www.telegraph.co.uk/health/healthnews/\">Health News &#187;</a></h3>\r\n\t\t\t\t\t\t\t\t</li>\r\n\t\t\t\t\t\t\t\t<li class=\"last\">\r\n\t\t\t\t\t\t\t\t\t<h3><a href=\"http://www.telegraph.co.uk/journalists/richard-gray/\">Richard Gray &#187;</a></h3>\r\n\t\t\t\t\t\t\t\t</li>\r\n\t\t\t\t\t\t\t\t</ul>\r\n\t\t\t\t<div class=\"cl\"></div>\r\n\t\t</div>\r\n\t</div>\r\n</div>\r\n\r\n\t\t\t\t<div class=\"related_links\">\r\n\t\t\t\t\t</div>\r\n\r\n\t\t\t\t<div class=\"summaryMedium secPuffs\">\r\n\t\t\t\t\t\t<div class=\"headerOne styleOne\"><p>In Science News</p></div>\r\n\t\t\t\t\t\t<div class=\"summary \">\n\t\t\t<div class=\"summarySmall\">\n\t\t\t\t<div class=\"piccentre containerdiv \">\r\n\t\t<a href=\"/science/picture-galleries/9945372/Amazon-CEO-Jeff-Bezos-recovers-Apollo-11-engines-from-the-ocean-floor.html\"><img src=\"http://i.telegraph.co.uk/multimedia/archive/02515/apollo-saturn-1_2515868g.jpg\" alt=\"An expedition funded by Amazon's CEO Jeff Bezos has recovered rusted pieces of two Apollo-era rocket engines from the depths of the Atlantic Ocean.\" border=\"0\" width=\"140\" height=\"87\" />\r\n\t\t\t\t\t\t\t\t\t<span class=\"cornerimagephotocentre\">&nbsp;</span></a>\n\t\t</div>\r\n\t\r\n<h3>\t\r\n\t\t\t<a href=\"/science/picture-galleries/9945372/Amazon-CEO-Jeff-Bezos-recovers-Apollo-11-engines-from-the-ocean-floor.html\">Apollo 11 engines recovered</a>\n\t\t</h3>\r\n\r\n\t</div>\n\t\t</div>\n\t<div class=\"summary \">\n\t\t\t<div class=\"summarySmall\">\n\t\t\t\t<div class=\"piccentre containerdiv \">\r\n\t\t<a href=\"/culture/culturepicturegalleries/9940462/Designs-of-the-Year-2013.html\"><img src=\"http://i.telegraph.co.uk/multimedia/archive/02513/designs-of-the-yea_2513846g.jpg\" alt=\"Designs of the Year\" border=\"0\" width=\"140\" height=\"87\" />\r\n\t\t\t\t\t\t\t\t\t<span class=\"cornerimagephotocentre\">&nbsp;</span></a>\n\t\t</div>\r\n\t\r\n<h3>\t\r\n\t\t\t<a href=\"/culture/culturepicturegalleries/9940462/Designs-of-the-Year-2013.html\">Designs of the Year 2013</a>\n\t\t</h3>\r\n\r\n\t</div>\n\t\t</div>\n\t<div class=\"summary \">\n\t\t\t<div class=\"summarySmall\">\n\t\t\t\t<div class=\"piccentre containerdiv \">\r\n\t\t<a href=\"/earth/earthpicturegalleries/9927514/Bug-eyed-macro-photographs-of-insects-by-Ireneusz-Irass-Waledzik.html\"><img src=\"http://i.telegraph.co.uk/multimedia/archive/02508/bug-eyed_2508331g.jpg\" alt=\"Bug-eyed macro photos\" border=\"0\" width=\"140\" height=\"87\" />\r\n\t\t\t\t\t\t\t\t\t<span class=\"cornerimagephotocentre\">&nbsp;</span></a>\n\t\t</div>\r\n\t\r\n<h3>\t\r\n\t\t\t<a href=\"/earth/earthpicturegalleries/9927514/Bug-eyed-macro-photographs-of-insects-by-Ireneusz-Irass-Waledzik.html\">Bug-eyed macro photos</a>\n\t\t</h3>\r\n\r\n\t</div>\n\t\t</div>\n\t<div class=\"summary \">\n\t\t\t<div class=\"summarySmall\">\n\t\t\t\t<div class=\"piccentre containerdiv \">\r\n\t\t<a href=\"/science/picture-galleries/9927023/ALMA-the-Atacama-Large-Millimetre-Array-telescope-project-in-Chile.html\"><img src=\"http://i.telegraph.co.uk/multimedia/archive/02508/alma-star-trails_2508103g.jpg\" alt=\"Star trails are seen over radio telescope antennae, part of the Atacama Large Millimetre/Submillimetre Array (ALMA) project in the desert in Chile\" border=\"0\" width=\"140\" height=\"87\" />\r\n\t\t\t\t\t\t\t\t\t<span class=\"cornerimagephotocentre\">&nbsp;</span></a>\n\t\t</div>\r\n\t\r\n<h3>\t\r\n\t\t\t<a href=\"/science/picture-galleries/9927023/ALMA-the-Atacama-Large-Millimetre-Array-telescope-project-in-Chile.html\">ALMA telescope project</a>\n\t\t</h3>\r\n\r\n\t</div>\n\t\t</div>\n\t<div class=\"summary \">\n\t\t\t<div class=\"summarySmall\">\n\t\t\t\t<div class=\"piccentre containerdiv \">\r\n\t\t<a href=\"/science/picture-galleries/9922605/Life-on-Mars-Scientists-live-together-in-Utah-desert-to-simulate-life-on-red-planet.html\"><img src=\"http://i.telegraph.co.uk/multimedia/archive/02506/life-on-mars_2506213g.jpg\" alt=\"Life on Mars\" border=\"0\" width=\"140\" height=\"87\" />\r\n\t\t\t\t\t\t\t\t\t<span class=\"cornerimagephotocentre\">&nbsp;</span></a>\n\t\t</div>\r\n\t\r\n<h3>\t\r\n\t\t\t<a href=\"/science/picture-galleries/9922605/Life-on-Mars-Scientists-live-together-in-Utah-desert-to-simulate-life-on-red-planet.html\">Life on Mars</a>\n\t\t</h3>\r\n\r\n\t</div>\n\t\t</div>\n\t</div>\r\n\t\t\t\t<!-- googleon: all -->\r\n\t\t\t</div>\r\n\r\n\t<!-- googleoff: index -->\r\n\r\n\t<!-- googleoff: all -->\r\n\r\n\t<!-- googleon: all -->\r\n <div class=\"cl\"></div>\r\n \r\n <div class=\"storyFt\">\r\n\t\t\t\t<div class=\"print hidden\"><a href=\"javascript:print()\" title=\"Print\">&nbsp;</a></div>\n\t<div id=\"shareBottom\" class=\"storyFunc\"></div>\n\t<div class=\"cl\"></div>\n<div id=\"outbrain-links\">\r\n\t\t\t\t\t<div class=\"OUTBRAIN\" data-src=\"http://www.telegraph.co.uk/science/science-news/10056901/Womens-immune-systems-hold-the-secret-to-longer-life.html\" data-widget-id=\"AR_1\" data-ob-template=\"telegraph\" ></div>\r\n\t\t\t\t\r\n\t\t\t\t\t</div>\r\n\t\t\t\t<div id=\"outbrain-links\">\t\r\n\t\t\t\t\r\n\t\t\t\t<div class=\"OUTBRAIN\" data-src=\"http://www.telegraph.co.uk/science/science-news/10056901/Womens-immune-systems-hold-the-secret-to-longer-life.html\" data-widget-id=\"AR_4\" data-ob-template=\"telegraph\" ></div>\t\t\t\t\t\t\t\t\t\t\t\r\n\t\t\t\t</div>\t\t\t\t\r\n\t\t\t\t\r\n\t \t\r\n\t\t\t<div class=\"summaryMedium\">\r\n\t\t\t\t</div>\r\n\t\t\r\n\t\r\n\r\n<!-- googleoff: all -->\r\n\r\n\t<div class=\"googleads \">\r\n\t\t<div class=\"access\">Advertisement</div>\r\n\t\t\r\n\t\t<script type=\"text/javascript\">\r\n\t\t<!--\r\n\t\t\tgoogle_ad_client = 'ca-telegraph_uk_300x250';\r\n\t\t\tgoogle_ad_channel = 'science';\r\n\t\t\tgoogle_max_num_ads = '3';\r\n\t\t\tgoogle_ad_output=\"js\";\r\n\t\t\tgoogle_ad_type=\"text\";\r\n\t\t\tgoogle_language=\"en\";\r\n\t\t\tgoogle_encoding=\"utf8\";\r\n\t\t\tgoogle_safe=\"high\";\r\n\t\t\t\r\n\t\t\t\r\n\t\t\t\r\n\t\t\t\t\t\t\tgoogle_hints=\"science-news\";\r\n\t\t\t\t\t\t\r\n\r\n\t\t\t/* Google Ad Functions */\r\n\t\t\tfunction google_ad_request_done(google_ads) {\r\n\t\t\t\tvar googleAdHeadText=\"Ads by Google\";\r\n\t\t\t\tvar googleAdHeadLink=\"https://www.google.com/adsense/support/bin/request.py?contact=abg_afc&gl=US&hideleadgen=1\";\r\n\t\t\t\tvar google_max_num_ads = '3';\r\n\t\t\t\tif(google_ads.length==0){\r\n\t\t\t\t\treturn;\r\n\t\t\t\t}\r\n\t\t\t\tvar s=\"<div id='googleHead'><div class='headerOne styleTen'><p><span><a target=\\\"_blank\\\" title=\\\"About Google Ads\\\" href=\\\"\"+googleAdHeadLink+\"\\\">\";\r\n\t\t\t\ts+=googleAdHeadText+\"</a></span></p></div></div>\";\r\n\t\t\t\ts+=\"<div id='google-ads-container-inner'><div class='googleAdText'><ul class='googleAdText'>\";\r\n\t\t\t\tif (google_ads[0].type==\"text\") {\r\n\t\t\t\t\tfor(i=0;i<google_ads.length;i++){\r\n\t\t\t\t\t\r\n\t\t\t\t\tif (i == (google_max_num_ads - 1)){\r\n\t\t\t\t\t\ts+=\"<li class=\\\"last\\\">\";\r\n\t\t\t\t\t} \r\n\t\t\t\t\telse if (i == 0) {\r\n\t\t\t\t\t\ts+=\"<li class=\\\"first\\\">\";\r\n\t\t\t\t\t}\r\n\t\t\t\t\telse {\r\n\t\t\t\t\t\ts+=\"<li>\";\r\n\t\t\t\t\t}\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\ts+='<h4><a target=\"_TOP\" href=\"'+google_ads[i].url+'\">'+google_ads[i].line1+\"</a></h4>\";\r\n\t\t\t\t\t\ts+=\"<p>\"+google_ads[i].line2+\" \"+google_ads[i].line3+\"</p>\";\r\n\t\t\t\t\t\ts+='<p><a target=\"_TOP\" href=\"'+google_ads[i].url+'\">'+google_ads[i].visible_url+\"</a></p>\";\r\n\t\t\t\t\t\ts+=\"</li>\"\r\n\t\t\t\t\t\t}\r\n\t\t\t\t\t}\r\n\t\t\t\ts+=\"</ul><div class=\\\"cl\\\"><!-- --></div><span class=\\\"hl-brackets1\\\"><!-- --></span>\";\r\n\t\t\t\ts+=\"<span class=\\\"hl-brackets2\\\"><!-- --></span><span class=\\\"hl-brackets3\\\"><!-- --></span>\";\r\n\t\t\t\ts+=\"<span class=\\\"hl-brackets4\\\"><!-- --></span></div></div>\";\r\n\t\t\t\tdocument.getElementById(\"google-ads-container\").innerHTML=s;\r\n\r\n\t\t\t\t// Slightly hacky, but if we're in a section then the container div needs a different class\r\n\t\t\t\tif (google_max_num_ads == 4) {\r\n\t\t\t\t\tdocument.getElementById(\"google-ads-container\").parentNode.className = \"googleadssection\";\r\n\t\t\t\t}\r\n\t\t\t\t\r\n\t\t\t}\t\t\t\t\t\t\r\n\t\t// -->\r\n\t\t</script>\r\n\t\t\r\n\t<div id=\"google-ads-container\"></div>\r\n\t\t<script type=\"text/javascript\" src=\"http://pagead2.googlesyndication.com/pagead/show_ads.js\"></script>\r\n\t\t<noscript>\r\n\t\t\t<img height=\"1\" width=\"1\" border=\"0\" src=\"http://pagead2.googlesyndication.com/pagead/imp.gif?client=ca-telegraph_uk_420x200&amp;event=noscript\" alt=\"\"/>\r\n\t\t</noscript>\r\n\t</div>\r\n\r\n<!-- googleon: all -->\r\n</div>\r\n\r\n\t<!-- googleon: index -->\r\n\r\n\r\n\t<!-- googleoff: all -->\r\n\t\t\t<div class=\"twoThirds\">\r\n\t\t\t\t<!--comments=disqus<br>\ndisqusComments=active<br>\nuserCommentsState=active<br>\nshowComments=true<br>\narticle.articleTypeName=tmglstory<br>-->\n\n\t\t\n<div class=\"gutterUnder\">\n\t<div class=\"hide\" id=\"disqusAcc\">telegraphuk</div>\n\t\t<div id=\"disqus_thread\"></div>\n\t\t<script type=\"text/javascript\">\n\t\tvar disqus_title = \"Women's immune systems hold the secret to longer life \";\n\t\tvar disqus_identifier = \"10056901\";\n\t\tvar disqus_developer = 1;\n\t\t</script>\n\t\t<noscript>Please enable JavaScript to view the <a href=\"http://disqus.com/?ref_noscript=telegraphuk\">comments powered by Disqus.</a></noscript>\n\t\t<a href=\"http://disqus.com\" class=\"dsq-brlink\">blog comments powered by <span class=\"logo-disqus\">Disqus</span></a>\n\t</div> \t\t\n</div>\r\n\t\t\t<div class=\"cl\"></div>\r\n\r\n\t\t</div>\r\n\r\n\t\t<div class=\"oneThird\">\r\n\t <div class=\"articleSponsor\">\n\t\t\n\t\t<div class=\"puff\">\r\n\t\t\t<!-- 8357216 -->\r\n\t\t\t\r\n\t\t\t<a href=\"http://www.telegraph.co.uk/topics/follow-us/\" ><img src=\"http://i.telegraph.co.uk/multimedia/archive/01964/socialMedia_puff_3_1964870a.jpg\" width=\"300\" height=\"33\" border=\"0\" alt=\"Follow The Telegraph on social media\"/></a>\r\n\t\t\t\t\t</div>\r\n\r\n\t</div>\n\t\n<div class=\"admpu gutterUnder\">\r\n<div class=\"access\">Advertisement</div>\r\n<div id=\"mpu\" class=\"InSkinHide\">\r\n\t<script type=\"text/javascript\">\r\n\t\tdocument.write(tmgAdsBuildAdTag(\"mpu\", \"300x250\", \"adj\", \"\", 2));\r\n\t\t</script>\r\n\t</div>\r\n</div>\r\n\r\n<div class=\"summaryMedium gutterUnder\">\r\n\t\r\n\t\t\t\t\t\r\n\t\t\t\t\t\t\t<div class=\"headerOne styleOne\">\r\n\t\r\n\t\t<!-- 9648057 -->\r\n\t\t<p>\r\n\t\t\t\t\t<span>More from the web</span>\r\n\t\t\t\t</p></div>\r\n<div id=\"configurableTabs\" class=\"configTabs\">\n <div class=\"topline\">\n \t<div class=\"left\"></div>\n \t<div class=\"right\"></div>\n <div style=\"clear:both;\"></div>\n </div>\n\n <div class=\"innerPlugin\">\n <div class=\"loadingMessage\">\n Loading\n </div>\n <div class=\"cl\"></div>\n\n\t\t<script type=\"text/javascript\">\n var puffs_9847326 = new Array();\n </script>\n <div id=\"configurableTab_9847326\" class=\"controlledTab\" style=\"display:none;\">\n \t<div class=\"tools\">\n\t\t\t\t\t\t\t<a class=\"prevArrowImage\" id=\"p9847326\" href=\"#\"></a>\n\t\t\t\t\t\t\t<a class=\"nextArrowImage\" id=\"n9847326\" href=\"#\"></a>\n\t\t\t\t\t\t\t<div class=\"cl\"></div>\n\t\t\t\t\t\t</div>\n\t\t\t\t\t<ul class=\"configurableWidget ssAds\"></ul>\n <script type=\"text/javascript\">\n\t\t\t\t\t\t\t\t var thisLink = \"http://courses.telegraph.co.uk/courses/ba-hons-business-management-distance-learning/815458/?WT.ac=9932583\";\n\t\t\t\t\t\t\t\t puffs_9847326.push({'id':'9932583', 'headline':'Work-based distance degree programmes', 'bodyText':'Taught via distance learning, these flexible, work-based programmes can be completed within 13-24 months.', 'link':thisLink, 'imageUrl':'http://i.telegraph.co.uk/multimedia/archive/02510/Lincoln280x175_2510487a.jpg', 'weight':'3'});\n\t\t\t\t\t\t\t\t </script>\n\n\t\t\t\t\t\t\t\t <script type=\"text/javascript\">\n\t\t\t\t\t\t\t\t var thisLink = \"http://courses.telegraph.co.uk/courses/certified-associate-in-project-management-capm-online-study/149548/?utm_source=PictorialEU%2B&utm_medium=Widget&utm_campaign=Learning%2BPeople%2BPM&WT.ac=9847330\";\n\t\t\t\t\t\t\t\t puffs_9847326.push({'id':'9847330', 'headline':'Free Prince2 and Agile project management training', 'bodyText':'Further your career with FREE Prince2 and Agile training with every PMP and CAPM course.', 'link':thisLink, 'imageUrl':'http://i.telegraph.co.uk/multimedia/archive/02470/LPPM280x175_2470249a.jpg', 'weight':'3'});\n\t\t\t\t\t\t\t\t </script>\n\n\t\t\t\t\t\t\t\t <script type=\"text/javascript\">\n\t\t\t\t\t\t\t\t var thisLink = \"http://courses.telegraph.co.uk/courses/cisco-certified-network-associate-ccna-online-study-anywhere!/214360/?dm_t=0,0,0,0,0&utm_source=PictorialEU%2B&utm_medium=Widget&utm_campaign=Learning%2BPeople%2BCisco&WT.ac=9847337\";\n\t\t\t\t\t\t\t\t puffs_9847326.push({'id':'9847337', 'headline':'FREE CCNA training with any Cisco certification', 'bodyText':'Kickstart your career in IT with The Learning People', 'link':thisLink, 'imageUrl':'http://i.telegraph.co.uk/multimedia/archive/02470/LPIT280x175_2470253a.jpg', 'weight':'3'});\n\t\t\t\t\t\t\t\t </script>\n\n\t\t\t\t\t\t\t\t <script type=\"text/javascript\">\n\t\t\t\t\t\t\t\t var thisLink = \"http://courses.telegraph.co.uk/courses/lse-courses/aid-127/?WT.ac=9883674\";\n\t\t\t\t\t\t\t\t puffs_9847326.push({'id':'9883674', 'headline':'Enroll now at the 2013 Executive Summer School at LSE.', 'bodyText':'The LSE offer a distinctive programme of executive education courses designed for professionals.', 'link':thisLink, 'imageUrl':'http://i.telegraph.co.uk/multimedia/archive/02487/LSE280x175_2487386a.jpg', 'weight':'3'});\n\t\t\t\t\t\t\t\t </script>\n\n\t\t\t\t\t\t\t\t </div>\n\n <script type=\"text/javascript\">\nvar noOfPuffs = 10;\n\n\tfor(var i=0; i < noOfPuffs; i++) {\n\t\tif(i < puffs_9847326.length) {\n\t\t\trotateLayoutPuffs(9847326, i, true);\n\t\t}\n } \t\t\n\n</script><div class=\"cl\"></div>\n\t </div>\n\t<div class=\"bottomline\">\n \t<div class=\"left\"></div>\n \t<div class=\"right\"></div>\n <div style=\"clear:both;\"></div>\n </div>\n</div>\r\n\t\t\t\t\t\r\n\t</div>\r\n<div class=\"access\">Advertisement</div>\r\n<div id=\"yell\">\r\n\t<div class=\"adyell InSkinHide\">\r\n\t\t<script type=\"text/javascript\">\r\n\t\tdocument.write(tmgAdsBuildAdTag(\"yell\", \"300x150\", \"adj\", \"\", 2));\r\n\t\t</script>\r\n\t</div>\r\n</div>\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n<div class=\"summaryMedium gutterUnder\">\r\n\t\r\n\t\t\t\t\t\r\n\t\t\t\t\t\t\t<div class=\"headerOne styleOne\">\r\n\t\r\n\t\t<!-- 9648057 -->\r\n\t\t<p>\r\n\t\t\t\t\t<span>More from the web</span>\r\n\t\t\t\t</p></div>\r\n<div id=\"configurableTabs\" class=\"configTabs\">\n <div class=\"topline\">\n \t<div class=\"left\"></div>\n \t<div class=\"right\"></div>\n <div style=\"clear:both;\"></div>\n </div>\n\n <div class=\"innerPlugin\">\n <div class=\"loadingMessage\">\n Loading\n </div>\n <div class=\"cl\"></div>\n\n\t\t<script type=\"text/javascript\">\n var puffs_9677345 = new Array();\n </script>\n <div id=\"configurableTab_9677345\" class=\"controlledTab\" style=\"display:none;\">\n \t<div class=\"tools\">\n\t\t\t\t\t\t\t<a class=\"prevArrowImage\" id=\"p9677345\" href=\"#\"></a>\n\t\t\t\t\t\t\t<a class=\"nextArrowImage\" id=\"n9677345\" href=\"#\"></a>\n\t\t\t\t\t\t\t<div class=\"cl\"></div>\n\t\t\t\t\t\t</div>\n\t\t\t\t\t<ul class=\"configurableWidget ssAds\"></ul>\n <script type=\"text/javascript\">\n\t\t\t\t\t\t\t\t var thisLink = \"http://zoopla.telegraph.co.uk/?utm_source=tmg&utm_medium=pictorialwidget&utm_campaign=EU&WT.ac=9677362\";\n\t\t\t\t\t\t\t\t puffs_9677345.push({'id':'9677362', 'headline':'Looking to find the ideal home for sale?', 'bodyText':'Telegraph Property Search, powered by Zoopla lists over 750,000 houses and flats for sale.', 'link':thisLink, 'imageUrl':'http://i.telegraph.co.uk/multimedia/archive/02398/ZooplaBigH280x175_2398215a.jpg', 'weight':'3'});\n\t\t\t\t\t\t\t\t </script>\n\n\t\t\t\t\t\t\t\t <script type=\"text/javascript\">\n\t\t\t\t\t\t\t\t var thisLink = \"http://zoopla.telegraph.co.uk/house-prices/?utm_source=tmg&utm_medium=pictorialwidget&utm_campaign=EU&WT.ac=9677370\";\n\t\t\t\t\t\t\t\t puffs_9677345.push({'id':'9677370', 'headline':'Looking for house prices in a particular area?', 'bodyText':'Telegraph Property Search, powered by Zoopla lists over 17 million house prices paid since 1995.', 'link':thisLink, 'imageUrl':'http://i.telegraph.co.uk/multimedia/archive/02398/ZooplaNH_2398219a.jpg', 'weight':'3'});\n\t\t\t\t\t\t\t\t </script>\n\n\t\t\t\t\t\t\t\t <script type=\"text/javascript\">\n\t\t\t\t\t\t\t\t var thisLink = \"http://zoopla.telegraph.co.uk/?utm_source=tmg&utm_medium=pictorialwidget&utm_campaign=EU&WT.ac=9677382\";\n\t\t\t\t\t\t\t\t puffs_9677345.push({'id':'9677382', 'headline':'Find your next home with Telegraph Property Search', 'bodyText':'Telegraph has teamed up with Zoopla.co.uk to bring you a huge selection of properties.', 'link':thisLink, 'imageUrl':'http://i.telegraph.co.uk/multimedia/archive/02398/ZooplaAptRiv280x17_2398226a.jpg', 'weight':'3'});\n\t\t\t\t\t\t\t\t </script>\n\n\t\t\t\t\t\t\t\t <script type=\"text/javascript\">\n\t\t\t\t\t\t\t\t var thisLink = \"http://zoopla.telegraph.co.uk/smartmaps/?utm_source=tmg&utm_medium=pictorialwidget&utm_campaign=EU&WT.ac=9677389\";\n\t\t\t\t\t\t\t\t puffs_9677345.push({'id':'9677389', 'headline':'Zoopla Smart Maps', 'bodyText':'Telegraph Property Search, powered by Zoopla. Outline precisely where you want to live with Zoopla SmartMaps', 'link':thisLink, 'imageUrl':'http://i.telegraph.co.uk/multimedia/archive/02398/SmartMaps280x175_2398228a.jpg', 'weight':'3'});\n\t\t\t\t\t\t\t\t </script>\n\n\t\t\t\t\t\t\t\t </div>\n\n <script type=\"text/javascript\">\nvar noOfPuffs = 10;\n\n\tfor(var i=0; i < noOfPuffs; i++) {\n\t\tif(i < puffs_9677345.length) {\n\t\t\trotateLayoutPuffs(9677345, i, true);\n\t\t}\n } \t\t\n\n</script><div class=\"cl\"></div>\n\t </div>\n\t<div class=\"bottomline\">\n \t<div class=\"left\"></div>\n \t<div class=\"right\"></div>\n <div style=\"clear:both;\"></div>\n </div>\n</div>\r\n\t\t\t\t\t\r\n\t</div>\r\n<div class=\"summaryMedium gutterUnder\">\r\n\t\t<div class=\"mostPopular\"><div id=\"mostPopular\">\r\n<div class=\"headerOne styleNine\">\r\n\t\t\t\t<p>Science Most Viewed</p>\r\n\t\t\t</div>\r\n\t\t<div id=\"mostpop\">\r\n\t\t<div class=\"tabs\">\r\n\t\t\t\t<ul>\r\n\t\t\t\t\t<li id=\"TODAY\" class=\"first current\" onclick=\"return false\">\r\n\t\t\t\t\t\t<a>\r\n\t\t\t\t\t\t\t<span>TODAY</span>\r\n\t\t\t\t\t\t</a>\r\n\t\t\t\t\t</li>\r\n\t\t\t\t\t<li id=\"THIS_WEEK\" onclick=\"return false\">\r\n\t\t\t\t\t\t<a>\r\n\t\t\t\t\t\t\t<span>PAST WEEK</span>\r\n\t\t\t\t\t\t</a>\r\n\t\t\t\t\t</li>\r\n\t\t\t\t\t<li id=\"THIS_MONTH\" onclick=\"return false\" class=\"last\">\r\n\t\t\t\t\t\t<a>\r\n\t\t\t\t\t\t\t<span>PAST MONTH</span>\r\n\t\t\t\t\t\t</a>\r\n\t\t\t\t\t</li>\r\n\t\t\t\t</ul>\r\n\t\t</div>\r\n\t\t<div class=\"cl\"></div>\r\n\t\r\n\t\t<div class=\"lists\">\r\n\t\t\t<div id=\"div-TODAY\" class=\"view-content\" style=\"display: block;\">\r\n\t\t\t\t<ol>\r\n\t\t\t\t\t\t<li><a href=\"/science/space/10084805/Time-lapse-Mars-Rovers-nine-month-mission-condensed-into-60-seconds.html\">Time-lapse: Mars Rover&#039;s nine-month mission condensed into 60 seconds</a></li>\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t<li><a href=\"/science/science-news/10062516/Gene-screening-to-fundamentally-change-understanding-of-childhood-disorders.html\">Gene screening to &#039;fundamentally change&#039; understanding of childhood disorders</a></li>\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t<li><a href=\"/science/science-news/10036882/Breakthrough-hair-loss-product-works-on-stem-cells.html\">Breakthrough hair loss product works on stem cells</a></li>\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t<li><a href=\"/science/space/9496369/Dropping-in-on-Mars-new-Nasa-video-shows-touch-down-of-Curiosity-rover.html\">Dropping in on Mars: new Nasa video shows touch-down of Curiosity rover</a></li>\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t<li><a href=\"/science/space/9943048/Nasas-advice-on-asteroid-hitting-Earth-pray.html\">Nasa&#039;s advice on asteroid hitting Earth: pray</a></li>\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t</ol>\r\n\t\t\t\t</div>\r\n\t\t\t<div id=\"div-THIS_WEEK\" class=\"view-content\" style=\"display: none\">\r\n\t\t\t\t<ol>\r\n\t\t\t\t\t\t<li><a href=\"/science/science-video/10076355/US-scientists-unveil-new-IQ-measure-take-the-test.html\">US scientists unveil new IQ measure: take the test</a></li>\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t<li><a href=\"/science/science-news/10065887/Painting-through-the-power-of-thought-enabled-by-scientists.html\">Painting through the power of thought enabled by scientists</a></li>\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t<li><a href=\"/science/space/10070148/Major-Tim-puts-an-end-to-Britains-space-oddity.html\">Major Tim puts an end to Britain&#039;s space oddity</a></li>\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t<li><a href=\"/science/science-news/10036882/Breakthrough-hair-loss-product-works-on-stem-cells.html\">Breakthrough hair loss product works on stem cells</a></li>\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t<li><a href=\"/science/science-news/10073042/Prime-number-breakthrough-by-unknown-professor.html\">Prime number breakthrough by unknown professor</a></li>\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t</ol>\r\n\t\t\t\t</div>\r\n\t\t\t<div id=\"div-THIS_MONTH\" class=\"view-content\" style=\"display: none\">\r\n\t\t\t\t<ol>\r\n\t\t\t\t\t\t<li><a href=\"/science/10039767/Grey-hair-a-thing-of-the-past-after-scientists-discover-why-follicles-become-discoloured.html\">Grey hair &#039;a thing of the past&#039; after scientists discover why follicles become discoloured</a></li>\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t<li><a href=\"/science/science-news/3323846/Sperm-cells-created-from-female-embryo.html\">Sperm cells created from female embryo</a></li>\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t<li><a href=\"/science/space/10049217/International-Space-Station-ammonia-leak-very-serious.html\">International Space Station ammonia leak &#039;very serious&#039;</a></li>\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t<li><a href=\"/science/space/10054981/Astronaut-Chris-Hadfield-returns-to-Earth.html\">Astronaut Chris Hadfield returns to Earth</a></li>\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t<li><a href=\"/science/science-video/10076355/US-scientists-unveil-new-IQ-measure-take-the-test.html\">US scientists unveil new IQ measure: take the test</a></li>\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t</ol>\r\n\t\t\t\t</div>\r\n\t\t</div>\r\n\t\r\n\t</div>\r\n\r\n</div>\r\n</div></div>\r\n<div class=\"adarea gutterUnder\">\r\n\t\t\t<div class=\"adsky\">\r\n\t\t\t\t<div class=\"access\">Advertisement</div>\r\n<div class=\"InSkinHide\" align=\"center\">\r\n\t<script type=\"text/javascript\">\r\n\t\tdocument.write(tmgAdsBuildAdTag(\"hpg,sks,skl\", \"300x600,120x600,160x600\", \"adj\", \"\", 2));\r\n\t\t</script>\r\n\t</div></div>\r\n\t\r\n\t\t\t<div class=\"cl\"></div>\r\n\t\t</div>\r\n\t\t\r\n\t<div class=\"summaryMedium\">\r\n\t\r\n\t\t\t\t\t\r\n\t\t\t\t\t\t\t<div class=\"headerOne styleOne\">\r\n\t\r\n\t\t<!-- 9643773 -->\r\n\t\t<p>\r\n\t\t\t\t\t<span>More from The Telegraph</span>\r\n\t\t\t\t</p></div>\r\n<div id=\"configurableTabs\" class=\"configTabs\">\n <div class=\"topline\">\n \t<div class=\"left\"></div>\n \t<div class=\"right\"></div>\n <div style=\"clear:both;\"></div>\n </div>\n\n <div class=\"innerPlugin\">\n <div class=\"loadingMessage\">\n Loading\n </div>\n <div class=\"cl\"></div>\n\n\t\t<script type=\"text/javascript\">\n var puffs_9663899 = new Array();\n </script>\n <div id=\"configurableTab_9663899\" class=\"controlledTab\" style=\"display:none;\">\n \t<div class=\"tools\">\n\t\t\t\t\t\t\t<a class=\"prevArrowImage\" id=\"p9663899\" href=\"#\"></a>\n\t\t\t\t\t\t\t<a class=\"nextArrowImage\" id=\"n9663899\" href=\"#\"></a>\n\t\t\t\t\t\t\t<div class=\"cl\"></div>\n\t\t\t\t\t\t</div>\n\t\t\t\t\t<ul class=\"configurableWidget ssAds\"></ul>\n <script type=\"text/javascript\">\n\t\t\t\t\t\t\t\t var thisLink = \"http://courses.telegraph.co.uk/mba/?utm_source=tmg&utm_medium=international2Bwidgets&utm_campaign=Europe&WT.ac=9663906\";\n\t\t\t\t\t\t\t\t puffs_9663899.push({'id':'9663906', 'headline':'Take the next step in your career with an MBA', 'bodyText':'Study online for an MBA from a leading UK university!', 'link':thisLink, 'imageUrl':'http://i.telegraph.co.uk/multimedia/archive/02383/MBA280x175_2383428a.jpg', 'weight':'3'});\n\t\t\t\t\t\t\t\t </script>\n\n\t\t\t\t\t\t\t\t <script type=\"text/javascript\">\n\t\t\t\t\t\t\t\t var thisLink = \"http://courses.telegraph.co.uk/mba/?utm_source=tmg&utm_medium=international2Bwidgets&utm_campaign=Europe&WT.ac=9663911\";\n\t\t\t\t\t\t\t\t puffs_9663899.push({'id':'9663911', 'headline':'Take the next step in your career with an MBA', 'bodyText':'Study online for an MBA from a leading UK university!', 'link':thisLink, 'imageUrl':'http://i.telegraph.co.uk/multimedia/archive/02383/MBA280x175_2383428a.jpg', 'weight':'3'});\n\t\t\t\t\t\t\t\t </script>\n\n\t\t\t\t\t\t\t\t </div>\n\n <script type=\"text/javascript\">\nvar noOfPuffs = 10;\n\n\tfor(var i=0; i < noOfPuffs; i++) {\n\t\tif(i < puffs_9663899.length) {\n\t\t\trotateLayoutPuffs(9663899, i, true);\n\t\t}\n } \t\t\n\n</script><div class=\"cl\"></div>\n\t </div>\n\t<div class=\"bottomline\">\n \t<div class=\"left\"></div>\n \t<div class=\"right\"></div>\n <div style=\"clear:both;\"></div>\n </div>\n</div>\r\n\t\t\t\t\t\r\n\t</div>\r\n<div class=\"OUTBRAIN\" data-src=\"http://www.telegraph.co.uk/science/science-news/10056901/Womens-immune-systems-hold-the-secret-to-longer-life.html\" data-widget-id=\"AR_2\" data-ob-template=\"telegraph\" ></div>\r\n<script type=\"text/javascript\"> \r\n\t\t\t\t\t(function() { \r\n\t\t\t var outbrainScriptTag = document.createElement('script'); \r\n\t\t\t outbrainScriptTag.type = 'text/javascript'; \r\n\t\t\t outbrainScriptTag.async = true; \r\n\t\t\t outbrainScriptTag.id = \"outbrain\"; \r\n\t\t\t outbrainScriptTag.src = 'http://widgets.outbrain.com/outbrain.js' ; \r\n\t\t\t var s = document.getElementsByTagName('script')[0]; \r\n\t\t\t s.parentNode.insertBefore(outbrainScriptTag, s); \r\n\t\t\t\t\t})(); \r\n\t\t\t\t\t\r\n</script> \t\t \t\r\n</div>\r\n\t\t<div class=\"cl\"></div>\r\n\t\t\r\n\t\t\r\n<div class=\"OUTBRAIN\" data-src=\"http://www.telegraph.co.uk/science/science-news/10056901/Womens-immune-systems-hold-the-secret-to-longer-life.html\" data-widget-id=\"TR_1\" data-ob-template=\"telegraph\" ></div>\t\t\r\n</div>\r\n\r\n\t<div class=\"printHide\">\r\n\t\t<div id=\"trafficDrivers\">\r\n\r\n\t<div class=\"gutterUnder\">\t\t\t\t\t\t\t\r\n\t\t<div id=\"tmgPortalRand\">\r\n\t\t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t<!-- 10083475 -->\n<div class=\"oneQuarter servicesSmall \">\n\t<div class=\"summarySmall\">\n\t\t<div class=\"headerFive\">\t\t\n\t\t\t<a href=\"\"> \n\t\t\t\tEngineering Jobs</a>\n\t\t</div>\n\t\t<div class=\"piccentre containerdiv \">\r\n\t\t<a href=\"http://jobs.telegraph.co.uk/job/4216190/chief-executive/?utm_source=tmg&utm_medium=TD_chiefengineering2805&utm_campaign=JobsTDs\">\n\t\t\t\t\t\t<img src=\"http://i.telegraph.co.uk/multimedia/archive/01768/work_1768142f.jpg\" alt=\"office workers. Employers who used Acas 'saved £46.7m'\" border=\"0\" width=\"220\" height=\"137\" /><span class=\"imgSlantOverlay\">&nbsp;</span>\n\t\t\t\t\t\t</a>\n\t\t\t\t</div>\r\n\t\r\n<h3>\n\t\t\t<a href=\"http://jobs.telegraph.co.uk/job/4216190/chief-executive/?utm_source=tmg&utm_medium=TD_chiefengineering2805&utm_campaign=JobsTDs\">\n\t\t\t\t\t\tApply Now: Chief Executive - Engineering</a>\n\t\t\t\t</h3>\n\t\t<div class=\"traffdrivViewLink\">\n\t\t\t<a href=\"http://jobs.telegraph.co.uk/job/4216190/chief-executive/?utm_source=tmg&utm_medium=TD_chiefengineering2805&utm_campaign=JobsTDs\">\n\t\t\t\t\t\tView</a>\n\t\t\t\t</div>\n\n\t</div>\n</div>\r\n\t\t\t\t\t\r\n\t\t\t\t\r\n\r\n\t\t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t<!-- 10083503 -->\n<div class=\"oneQuarter servicesSmall \">\n\t<div class=\"summarySmall\">\n\t\t<div class=\"headerFive\">\t\t\n\t\t\t<a href=\"http://jobs.telegraph.co.uk/?utm_source=tmg&utm_medium=TD_policyadvisor2805&utm_campaign=JobsTDs\"> \n\t\t\t\tTelegraph Jobs</a>\n\t\t</div>\n\t\t<div class=\"piccentre containerdiv \">\r\n\t\t<a href=\"http://jobs.telegraph.co.uk/job/4214651/policy-advisor/?utm_source=tmg&utm_medium=TD_policyadvisor2805&utm_campaign=JobsTDs\">\n\t\t\t\t\t\t<img src=\"http://i.telegraph.co.uk/multimedia/archive/01238/ships_1238248f.jpg\" alt=\"The cost of shipping goods from Asia to Europe has tumbled\" border=\"0\" width=\"220\" height=\"137\" /><span class=\"imgSlantOverlay\">&nbsp;</span>\n\t\t\t\t\t\t</a>\n\t\t\t\t</div>\r\n\t\r\n<h3>\n\t\t\t<a href=\"http://jobs.telegraph.co.uk/job/4214651/policy-advisor/?utm_source=tmg&utm_medium=TD_policyadvisor2805&utm_campaign=JobsTDs\">\n\t\t\t\t\t\tApply Now: Policy Advisor - Transport</a>\n\t\t\t\t</h3>\n\t\t<div class=\"traffdrivViewLink\">\n\t\t\t<a href=\"http://jobs.telegraph.co.uk/job/4214651/policy-advisor/?utm_source=tmg&utm_medium=TD_policyadvisor2805&utm_campaign=JobsTDs\">\n\t\t\t\t\t\tView</a>\n\t\t\t\t</div>\n\n\t</div>\n</div>\r\n\t\t\t\t\t\r\n\t\t\t\t\r\n\r\n\t\t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t<!-- 10077918 -->\n<div class=\"oneQuarter servicesSmall \">\n\t<div class=\"summarySmall\">\n\t\t<div class=\"headerFive\">\t\t\n\t\t\t<a href=\"http://courses.telegraph.co.uk/?utm_source=tmg&utm_medium=TD_prince22805&utm_campaign=CoursesTDs\"> \n\t\t\t\tTelegraph Courses</a>\n\t\t</div>\n\t\t<div class=\"piccentre containerdiv \">\r\n\t\t<a href=\"http://courses.telegraph.co.uk/courses/certified-associate-in-project-management-capm-online-study/149548/?utm_source=tmg&utm_medium=TD_prince22805&utm_campaign=CoursesTDs\">\n\t\t\t\t\t\t<img src=\"http://i.telegraph.co.uk/multimedia/archive/02262/project_management_2262562f.jpg\" alt=\"project management course\" border=\"0\" width=\"220\" height=\"137\" /><span class=\"imgSlantOverlay\">&nbsp;</span>\n\t\t\t\t\t\t</a>\n\t\t\t\t</div>\r\n\t\r\n<h3>\n\t\t\t<a href=\"http://courses.telegraph.co.uk/courses/certified-associate-in-project-management-capm-online-study/149548/?utm_source=tmg&utm_medium=TD_prince22805&utm_campaign=CoursesTDs\">\n\t\t\t\t\t\tFree Prince2 and Agile project management training</a>\n\t\t\t\t</h3>\n\t\t<div class=\"traffdrivViewLink\">\n\t\t\t<a href=\"http://courses.telegraph.co.uk/courses/certified-associate-in-project-management-capm-online-study/149548/?utm_source=tmg&utm_medium=TD_prince22805&utm_campaign=CoursesTDs\">\n\t\t\t\t\t\tView</a>\n\t\t\t\t</div>\n\n\t</div>\n</div>\r\n\t\t\t\t\t\r\n\t\t\t\t\r\n\r\n\t\t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t<!-- 10083527 -->\n<div class=\"oneQuarter servicesSmall last\">\n\t<div class=\"summarySmall\">\n\t\t<div class=\"headerFive\">\t\t\n\t\t\t<a href=\"http://courses.telegraph.co.uk/courses/course-search-results/kw-interview/?utm_source=tmg&utm_medium=TD_interview2805&utm_campaign=CoursesTDs\"> \n\t\t\t\tInterview Skills</a>\n\t\t</div>\n\t\t<div class=\"piccentre containerdiv \">\r\n\t\t<a href=\"http://courses.telegraph.co.uk/courses/course-search-results/kw-interview/?utm_source=tmg&utm_medium=TD_interview2805&utm_campaign=CoursesTDs\">\n\t\t\t\t\t\t<img src=\"http://i.telegraph.co.uk/multimedia/archive/01882/job-interview_1882694f.jpg\" alt=\"Job interview\" border=\"0\" width=\"220\" height=\"137\" /><span class=\"imgSlantOverlay\">&nbsp;</span>\n\t\t\t\t\t\t</a>\n\t\t\t\t</div>\r\n\t\r\n<h3>\n\t\t\t<a href=\"http://courses.telegraph.co.uk/courses/course-search-results/kw-interview/?utm_source=tmg&utm_medium=TD_interview2805&utm_campaign=CoursesTDs\">\n\t\t\t\t\t\tExpert interview skills training</a>\n\t\t\t\t</h3>\n\t\t<div class=\"traffdrivViewLink\">\n\t\t\t<a href=\"http://courses.telegraph.co.uk/courses/course-search-results/kw-interview/?utm_source=tmg&utm_medium=TD_interview2805&utm_campaign=CoursesTDs\">\n\t\t\t\t\t\tView</a>\n\t\t\t\t</div>\n\n\t</div>\n</div>\r\n\t\t\t\t\t\r\n\t\t\t\t\r\n\r\n\t\t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\r\n\r\n\t\t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\r\n\r\n\t\t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\r\n\r\n\t\t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\r\n\r\n\t\t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\r\n\r\n\t\t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\r\n\r\n\t\t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\r\n\r\n\t\t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t\r\n\t\t\t\t\t\r\n\t\t\t\t\r\n\r\n\t\t\t<div class=\"cl\"></div>\t\t\r\n\t</div>\t\t\t\t\t\r\n</div>\r\n</div>\r\n<div class=\"cl\"></div>\r\n\t</div>\r\n<!-- googleon: all -->\r\n</div>\r\n<!-- googleoff: all -->\n\t\t\t<div class=\"backtotop\"><p><a href=\"#top\">Back to top</a></p></div>\r\n<div id=\"tmglFooterLarge\">\r\n\t\t<a href=\"http://www.telegraph.co.uk/\" id=\"footerlogolink\" title=\"Telegraph.co.uk: news, business, sport, the Daily Telegraph newspaper, Sunday Telegraph - Telegraph\"></a>\r\n\t\t<div id=\"tmglFooterLargeItems\">\t\t\r\n\t\t\t<div class=\"footercolumn\">\t\t\t\t\t\t\t\t\t\r\n\t\t\t\t<ul class=\"menu1\"><li class=\"itemfocus\"><a href=\"http://www.telegraph.co.uk/?utm_source=TMG&utm_medium=footer_home&utm_campaign=footerhomelink\">HOME</a></li>\t\t\t\t\t\t\t\t\r\n\r\n\t\t\t\t\t<li><a href=\"http://www.telegraph.co.uk/news/\">News</a></li>\r\n\t\t\t\t\t<li><a href=\"http://www.telegraph.co.uk/news/worldnews/\">World News</a></li>\r\n\t\t\t\t\t<li><a href=\"http://www.telegraph.co.uk/news/obituaries/\">Obituaries</a></li>\r\n\t\t\t\t\t</ul>\r\n\t\t\t\t\t\r\n\t\t\t\t\t<ul class=\"menu2\"><li class=\"itemfocus\"><a href=\"http://www.telegraph.co.uk/travel/\">Travel</a></li>\t\t\t\t\t\t\t\t\r\n\r\n\t\t\t\t\t</ul>\r\n\t\t\t\t\t\r\n\t\t\t\t\t<ul class=\"menu3\"><li class=\"itemfocus\"><a href=\"http://www.telegraph.co.uk/health/\">Health</a></li>\t\t\t\t\t\t\t\t\r\n\r\n\t\t\t\t\t<li><a href=\"http://jobs.telegraph.co.uk/\">Jobs</a></li>\r\n\t\t\t\t\t</ul>\r\n\t\t\t\t\t\r\n\t\t\t\t\t</div> <div class=\"footercolumn\">\r\n\t\t\t\t\t\t<ul class=\"menu1\"><li class=\"itemfocus\"><a href=\"http://www.telegraph.co.uk/sport/\">Sport</a></li>\t\t\t\t\t\t\t\t\r\n\r\n\t\t\t\t\t<li><a href=\"http://www.telegraph.co.uk/sport/football/\">Football</a></li>\r\n\t\t\t\t\t<li><a href=\"http://www.telegraph.co.uk/sport/cricket/\">Cricket</a></li>\r\n\t\t\t\t\t<li><a href=\"http://fantasygames.telegraph.co.uk/fantasylions/\">Fantasy Rugby</a></li>\r\n\t\t\t\t\t</ul>\r\n\t\t\t\t\t\r\n\t\t\t\t\t<ul class=\"menu2\"><li class=\"itemfocus\"><a href=\"http://www.telegraph.co.uk/culture/\">Culture</a></li>\t\t\t\t\t\t\t\t\r\n\r\n\t\t\t\t\t</ul>\r\n\t\t\t\t\t\r\n\t\t\t\t\t<ul class=\"menu3\"><li class=\"itemfocus\"><a href=\"http://www.telegraph.co.uk/motoring/\">Motoring</a></li>\t\t\t\t\t\t\t\t\r\n\r\n\t\t\t\t\t<li><a href=\"http://dating.telegraph.co.uk/s/a/4168\">Dating</a></li>\r\n\t\t\t\t\t</ul>\r\n\t\t\t\t\t\r\n\t\t\t\t\t</div> <div class=\"footercolumn\">\r\n\t\t\t\t\t\t<ul class=\"menu1\"><li class=\"itemfocus\"><a href=\"http://www.telegraph.co.uk/finance/\">Finance</a></li>\t\t\t\t\t\t\t\t\r\n\r\n\t\t\t\t\t<li><a href=\"http://www.telegraph.co.uk/finance/personalfinance/\">Personal Finance</a></li>\r\n\t\t\t\t\t<li><a href=\"http://www.telegraph.co.uk/finance/economics/\">Economics</a></li>\r\n\t\t\t\t\t<li><a href=\"http://www.telegraph.co.uk/finance/markets/\">Markets</a></li>\r\n\t\t\t\t\t</ul>\r\n\t\t\t\t\t\r\n\t\t\t\t\t<ul class=\"menu2\"><li class=\"itemfocus\"><a href=\"http://fashion.telegraph.co.uk\">Fashion</a></li>\t\t\t\t\t\t\t\t\r\n\r\n\t\t\t\t\t</ul>\r\n\t\t\t\t\t\r\n\t\t\t\t\t<ul class=\"menu3\"><li class=\"itemfocus\"><a href=\"http://www.telegraph.co.uk/property/\">Property</a></li>\t\t\t\t\t\t\t\t\r\n\r\n\t\t\t\t\t<li><a href=\"http://puzzles.telegraph.co.uk/\">Crossword</a></li>\r\n\t\t\t\t\t</ul>\r\n\t\t\t\t\t\r\n\t\t\t\t\t</div> <div class=\"footercolumn\">\r\n\t\t\t\t\t\t<ul class=\"menu1\"><li class=\"itemfocus\"><a href=\"http://www.telegraph.co.uk/comment/\">Comment</a></li>\t\t\t\t\t\t\t\t\r\n\r\n\t\t\t\t\t<li><a href=\"http://blogs.telegraph.co.uk/\">Blogs</a></li>\r\n\t\t\t\t\t<li><a href=\"http://my.telegraph.co.uk\">My Telegraph</a></li>\r\n\t\t\t\t\t<li><a href=\"http://www.telegraph.co.uk/comment/letters/\">Letters</a></li>\r\n\t\t\t\t\t</ul>\r\n\t\t\t\t\t\r\n\t\t\t\t\t<ul class=\"menu2\"><li class=\"itemfocus\"><a href=\"http://www.telegraph.co.uk/technology/\">Technology</a></li>\t\t\t\t\t\t\t\t\r\n\r\n\t\t\t\t\t</ul>\r\n\t\t\t\t\t\r\n\t\t\t\t\t<ul class=\"menu3\"><li class=\"itemfocus\"><a href=\"http://www.telegraph.co.uk/gardening/\">Gardening</a></li>\t\t\t\t\t\t\t\t\r\n\r\n\t\t\t\t\t<li><a href=\"http://www.telegraph.co.uk/journalists/\">Telegraph Journalists</a></li>\r\n\t\t\t\t\t</ul>\r\n\t\t\t\t\t\r\n\t\t\t\t\t</div> <div class=\"footercolumn\">\r\n\t\t\t\t\t\t<ul class=\"menu1\"><li class=\"itemfocus\"><a href=\"http://www.telegraph.co.uk/topics/about-us/\">Contact Us</a></li>\t\t\t\t\t\t\t\t\r\n\r\n\t\t\t\t\t<li><a href=\"/topics/about-us/3691972/Privacy-and-Cookie-Policy.html\">Privacy and Cookies</a></li>\r\n\t\t\t\t\t<li><a href=\"http://www.telegraph.co.uk/advertising/\">Advertising</a></li>\r\n\t\t\t\t\t<li><a href=\"http://fantasyfootball.telegraph.co.uk/\">Fantasy Football</a></li>\r\n\t\t\t\t\t</ul>\r\n\t\t\t\t\t\r\n\t\t\t\t\t<ul class=\"menu2\"><li class=\"itemfocus\"><a href=\"http://tickets.telegraph.co.uk/\">Tickets</a></li>\t\t\t\t\t\t\t\t\r\n\r\n\t\t\t\t\t</ul>\r\n\t\t\t\t\t\r\n\t\t\t\t\t<ul>\r\n\t\t\t\t\t<li><a href=\"http://announcements.telegraph.co.uk/\">Announcements</a></li>\r\n\t\t\t\t\t\t<li><a href=\"http://3276.e-printphoto.co.uk/dailytelegraph/\">Reader Prints</a></li>\r\n\t\t\t\t\t\t<li><a href=\"\"></a></li>\r\n\t\t\t\t\t\t</ul>\r\n\t\t\t</div>\r\n\r\n\t\t\t<!-- RSSFeeds Menu-->\r\n\t\t\t\r\n\t\t\t<div id=\"footercolumn_last\">\r\n\t\t\t\t<ul class=\"imgBulletList\">\r\n\t\t\t\t\t<li class=\"footrss\"><a href=\"http://www.telegraph.co.uk/topics/follow-us/\">Follow Us</a></li>\r\n\t\t\t\t\t\t\t<li class=\"footmobile\"><a href=\"http://www.telegraph.co.uk/apps/\">Apps</a></li>\r\n\t\t\t\t\t\t\t<li class=\"footepaper\"><a href=\"http://dailytelegraph.newspaperdirect.com/epaper/viewer.aspx \">Epaper</a></li>\r\n\t\t\t\t\t\t\t<li class=\"\"><a href=\"http://www.telegraph.co.uk/expat/\">Expat</a></li>\r\n\t\t\t\t\t\t\t</ul>\r\n\t\t\t\r\n\t\t\t\t<ul class=\"ullast\">\r\n\t\t\t\t\t<li><a href=\"http://www.telegraph.co.uk/promotions/\">Promotions</a></li>\r\n\t\t\t\t\t\t<li><a href=\"http://subscriber.telegraph.co.uk/loyalty/\">Subscriber</a></li>\r\n\t\t\t\t\t\t<li><a href=\"http://www.telegraph.co.uk/topics/syndication-services/\">Syndication</a></li>\r\n\t\t\t\t\t\t</ul>\r\n\t\t\t</div>\t\r\n\t\t\t<div class=\"cl\"></div>\r\n\t\t</div> <!-- end of tmglFooterLargeItems div -->\r\n\t\r\n<div id=\"footerinfo\">\r\n\t\t\t<p>&copy; Copyright of Telegraph Media Group Limited 2013</p>\r\n\t\t\t<p><a href=\"http://www.telegraph.co.uk/termsandconditions\">Terms and Conditions</a> </p>\r\n\t\t\t<p><a href=\"/archive/2013-5-28.html\">Today's News</a></p>\r\n\t\t\t<p ><a href=\"http://www.telegraph.co.uk/archive/\">Archive</a></p>\r\n\t\t\t\t\t<p ><a href=\"http://www.telegraph.co.uk/topics/about-us/style-book/\">Style Book</a></p>\r\n\t\t\t\t\t<p class=\"last\"><a href=\"/topics/weather/4142730/Weather-forecast.html\">Weather Forecast</a></p>\r\n\t\t\t\t\t<div class=\"cl\"></div>\t\t\t\r\n\t\t",
"</div>\r\n\t</div> <!-- end of tmglFooterLargeNew div -->\r\n</div>\n<script type=\"text/javascript\" src=\"http://js.revsci.net/gateway/gw.js?csid=E06560\"></script>\n<script type=\"text/javascript\">\nDM_addToLoc(\"Site\",escape(\"Telegraph\"));\n\nDM_addToLoc(\"Level1\",escape(\"Science\"));\n\t\nDM_addToLoc(\"Level2\",escape(\"Science%20News\"));\n\t\nDM_tag();\n</script>\n\n<script type=\"text/javascript\" src=\"/template/ver1-0/js/jquery-ui-1.8.4.custom.min.js\"></script>\n<script type=\"text/javascript\" src=\"/template/ver1-0/js/jquery.tablesorter.js\"></script>\n<script type=\"text/javascript\" src=\"/template/ver1-0/js/common.js\"></script>\n\n<script type=\"text/javascript\" src=\"/template/ver1-0/js/tmglSlideShow.js\"></script>\n<script type=\"text/javascript\" src=\"/template/ver1-0/js/jquery.cycle.all.js\"></script>\n<script type=\"text/javascript\" src=\"/template/ver1-0/js/supersleight.plugin.js\"></script>\n<script type=\"text/javascript\" src=\"/template/ver1-0/js/tracker.js\"></script>\n\n<link rel=\"stylesheet\" type=\"text/css\" href=\"/template/ver1-0/css/printArticle.css\" media=\"print\" />\n\n\t<script type=\"text/javascript\" src=\"/template/ver1-0/js/liveBloggingArticle.js\"> </script>\n\n<script type=\"text/javascript\">\n\t\t\t(function() {\n\t\t\t\tvar links = $(\"a[href*='disqus_thread']\");\n\t\t\t\tvar query = \"\";\n\t\t\t\tvar blogQuery = \"\";\n\t\t\t\tvar normal = new Array();\n\t\t\t\tvar normalCounts = new Array();\n\t\t\t\tvar blog = new Array();\n\t\t\t\tvar blogCounts = new Array();\n\n\t\t\t\tfor(var i = 0; i < links.length; i++) {\n\t\t\t\t\tif (links[i].getAttribute('dsqid')) {\n\t\t\t\t\t\tvar dsqid = links[i].getAttribute('dsqid');\n\t\t\t\t\t\tif (links[i].className == 'dsqblog') { blogQuery += 'dsqid' + i + '=' + dsqid + '&'; } else { query += 'dsqid' + i + '=' + dsqid + '&'; }\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t\tif (query.length != \"\" && blogQuery.length != \"\") {\n\t\t\t\t\t$(\"a[href*='disqus_thread']\") && $(\"a.dsqblog\").each(function(i) {\n\t\t\t\t\t\tblog[i] = $(this).attr(\"href\");\n\t\t\t\t\t\t$(this).attr(\"href\",\"blog_link\");\n\t\t\t\t\t});\n\t\t\t\t\tloadScript(\"http://telegraphuk.disqus.com/get_num_replies_from_dsqid.js?\" + query, function() {\n\t\t\t\t\t\t$(\"a[href*='disqus_thread']\").not(\".dsqblog\").each(function(i) {\n\t\t\t\t\t\t\tnormal[i] = $(this).attr(\"href\");\n\t\t\t\t\t\t\tnormalCounts[i] = $(this).html();\n\t\t\t\t\t\t\t$(this).attr(\"href\",\"normal_link\");\n\t\t\t\t\t\t});\n\n\t\t\t\t\t\t$(\"a[href*='blog_link']\").each(function(i) { $(this).attr(\"href\",blog[i]); });\n\n\t\t\t\t\t\tloadScript(\"http://telegraphblogs.disqus.com/get_num_replies_from_dsqid.js?\" + blogQuery, function() {\n\t\t\t\t\t\t\t$(\"a[href*='normal_link']\").each(function(i) { $(this).attr(\"href\",normal[i]); });\n\t\t\t\t\t\t});\n\t\t\t\t\t});\n\t\t\t\t} else {\n\t\t\t\t\tdocument.write('<script charset=\"utf-8\" type=\"text/javascript\" src=\"http://telegraphuk.disqus.com/get_num_replies_from_dsqid.js?' + query + '\"></' + 'script>');\n\t\t\t\t}\n\t\t\t})();\n\t\t</script>\n\t<script type=\"text/javascript\" src=\"/template/ver1-0/js/tmglMultitrackSelector1.js\"></script>\n<script type=\"text/javascript\" src=\"/template/ver1-0/js/popup.js\"></script>\n\n<script language=\"Javascript\" type=\"text/javascript\" src=\"/template/ver1-0/js/poll.js\"></script>\n\n<script type=\"text/javascript\">\n\t\tvar _sf_async_config={uid:22437,domain:\"telegraph.co.uk\"};\n\n\t\t\n\t\t\t_sf_async_config.sections = \"News, Science, Science News, Health, Health News, Richard Gray\";\n\t\t\n\t\t\t_sf_async_config.authors = \"Richard Gray\";\n\t\t\n\n\t\t(function(){\n\t\t\tfunction loadChartbeat() {\n\t\t\twindow._sf_endpt=(new Date()).getTime();\n\t\t\tvar e = document.createElement('script');\n\t\t\te.setAttribute('language', 'javascript');\n\t\t\te.setAttribute('type', 'text/javascript');\n\t\t\te.setAttribute('src',\n\t\t\t((\"https:\" == document.location.protocol) ? \"https://a248.e.akamai.net/chartbeat.download.akamai.com/102508/\" : \"http://\") +\n\t\t\t\"static.chartbeat.com/js/chartbeat.js\"); document.body.appendChild(e);\n\t\t}\n\t\tvar oldonload = window.onload;\n\t\twindow.onload = (typeof window.onload != 'function') ?\n\t\tloadChartbeat : function() { oldonload(); loadChartbeat(); }; })();\n\t</script>\n<script type=\"text/javascript\" src=\"http://telegraphcouk.skimlinks.com/api/telegraph.skimlinks.js\" id=\"skimLinks\"></script>\r\n\t<!-- START Nielsen Online SiteCensus V6.0 -->\n\t\t<!-- COPYRIGHT 2010 Nielsen Online -->\n\t\t<script type=\"text/javascript\" src=\"//secure-uk.imrworldwide.com/v60.js\">\n\t\t</script>\n\t\t<script type=\"text/javascript\">\n\t\t\t var pvar = { cid: \"uk-101665h\", content: \"0\", server: \"secure-uk\" };\n\t\t\t var feat = { surveys_enabled: 1 };\n\t\t\t var trac = nol_t(pvar, feat);\n\t\t\t trac.record().post().do_sample();\n\t\t</script>\n\t\t<noscript>\n\t\t <div>\n\t\t\t <img src=\"//secure-uk.imrworldwide.com/cgi-bin/m?ci=uk-101665h&amp;cg=0&amp;cc=1&amp;ts=noscript\"\n\t\t\t width=\"1\" height=\"1\" alt=\"\" />\n\t\t </div>\n\t\t</noscript>\n\t\t<!-- END Nielsen Online SiteCensus V6.0 -->\n\t<noscript>\n<div><img alt=\"DCSIMG\" id=\"DCSIMG\" width=\"1\" height=\"1\" src=\"http://statse.webtrendslive.com/dcsz8d3revz5bdaez1q24pfc4_7k6c/njs.gif?dcsuri=/nojavascript&amp;WT.js=No&amp;WT.tv=10.0.0&amp;WT.dcssip=www.telegraph.co.uk\"/></div>\n</noscript>\n<script type=\"text/javascript\">\n\t\tg_opt_ch = '{}';g_opt_cv = '{}';g_opt_b = true;g_opt_s = true;</script>\n<script type=\"text/javascript\">\n\t\tvar s = document.createElement('script');\n\t\ts.type='text/javascript';\n\t\ts.src = \"http://cdn.gigya.com/js/socialize.js?apikey=2_ASmwJuFXoCCY8YP8uB6mzZphj_UToZbQkeeM6bMOA8swtMk2P3Rwu2WSger_DOSt\";\n\t\tdocument.getElementsByTagName('head')[0].appendChild(s);\n\n\t\tfunction onGigyaServiceReady(e) {\n\t\t\tvar s = document.createElement('script');\n\t\t\ts.type='text/javascript';\n\t\t\ts.src = \"/template/ver1-0/js/shareTools.js\";\n\t\t\tdocument.getElementsByTagName('head')[0].appendChild(s);\n\t\t}\n\t</script>\n<script type=\"text/javascript\">\r\n\t\tdocument.write(tmgAdsBuildAdTag(\"ftr\", \"1x1\", \"adj\", \"\", 2));\r\n\t\t</script>\r\n\t</body>\n</html>\n\n<!-- googleon: all -->\n"
],
[
"\n\n\n\n\n\n\n\n\n\n\n\n\n\n\r\n\r\n\n\n\r\n\r\n\r\n\r\n\r\n \r\n \r\n \r\n \r\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n \n \n \n\n\n\n\n\n\n\n\n<!DOCTYPE HTML PUBLIC \"-//W3C//DTD HTML 4.01 Transitional//EN\" \"http://www.w3.org/TR/html4/loose.dtd\">\n<html xmlns:og=\"http://opengraphprotocol.org/schema/\" xmlns:fb=\"http://www.facebook.com/2008/fbml\">\n<head>\n <meta http-equiv=\"Content-Type\" content=\"text/html;charset=utf-8\" />\n\n\t\n\t<meta http-equiv=\"Content-Language\" content=\"en-US\" />\n\t\n\t<meta name=\"date\" content=\"2013-05-15\" />\n\t\n\t<meta name=\"author\" content=\"Chicago Tribune UGC\" />\n\t<meta name=\"copyright\" content=\"Copyright (c) 2013 Chicago Tribune UGC\" />\n\t<meta name=\"fb_title\" content=\"Palos Medical Group's Dr. Kanesha Bryant provides insight on genetic testing for breast cancer\" />\n\t<meta property=\"og:title\" content=\"Palos Medical Group's Dr. Kanesha Bryant provides insight on genetic testing for breast cancer\"/>\n\n\n\t\n\t\n\t\n\t<meta property=\"og:description\" content=\"Angelina Jolie &amp;#8217;s decision to have a double mastectomy sheds light on a weapon being used in the fight against breast cancer &amp;#8211; BRACAnalysis genetic testing.\" />\n\n\t\n\t\n\t<meta property=\"fb:app_id\" content=\"306836229411287\" />\n <meta property=\"og:type\" content=\"article\"/>\n <meta property=\"og:url\" content=\"http://www.chicagotribune.com/news/local/suburbs/orland_park_homer_glen/community/chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15,0,3152151.story\"/>\n <meta property=\"og:image\" content=\"http://www.trbimg.com/img-5193e0cb/turbine/chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15/400/16x9\"/>\n <meta property=\"og:site_name\" content=\"chicagotribune.com\"/>\n\n \n \n <meta name=\"twitter:card\" content=\"summary\" />\n <meta name=\"twitter:site\" content=\"@chicagotribune\" />\n \n \t\n\n <title>Palos Medical Group's Dr. Kanesha Bryant provides insight on genetic testing for breast cancer - chicagotribune.com</title>\n\t<link rel=\"start\" title=\"Palos Medical Group's Dr. Kanesha Bryant provides insight on genetic testing for breast cancer - chicagotribune.com\" type=\"text/html\" href=\"http://www.chicagotribune.com/news/local/suburbs/orland_park_homer_glen/community/chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15,0,3152151.story\" />\n \n\n \n\n\n\n\n\n\n\n \n\n\n\n\n\n\n\n\n <meta name=\"Description\" content=\"Angelina Jolie &amp;#8217;s decision to have a double mastectomy sheds light on a weapon being used in the fight against breast cancer &amp;#8211; BRACAnalysis genetic testing.\" />\n\n\n<meta name=\"y_key\" content=\"43959a87935ee9bb\">\n<meta name=\"msvalidate.01\" content=\"AAC9C18F70AC386BC4DCF4DDF9BF1786\">\n\n\n\n\n\n\n\n\n\n\n\n \n \n \n \n \n \n\n\n \n \n \n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n<link rel=\"canonical\" href=\"http://www.chicagotribune.com/news/local/suburbs/orland_park_homer_glen/community/chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15,0,3152151.story\" />\n\t\t<meta name=\"syndication-source\" content=\"http://www.chicagotribune.com/news/local/suburbs/orland_park_homer_glen/community/chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15,0,3152151.story\" />\n\t\n\n\n\n\t\n\n \n\n\n\n\n\n\n\n\n\n <link rel=\"shortcut icon\" href=\"/favicon.ico\"/>\n <link rel=\"icon\" type=\"image/ico\" href=\"/favicon.ico\"/>\n\n\t<link href=\"/hive/stylesheets/reset.css\" media=\"all\" rel=\"stylesheet\" type=\"text/css\" />\n\t<link href=\"/hive/stylesheets/content.css\" media=\"all\" rel=\"stylesheet\" type=\"text/css\" />\n\t<link href=\"/hive/stylesheets/footer.css\" media=\"all\" rel=\"stylesheet\" type=\"text/css\" />\n\t<link href=\"/hive/stylesheets/header.css\" media=\"all\" rel=\"stylesheet\" type=\"text/css\" />\n\t<link href=\"/hive/stylesheets/common.css\" media=\"all\" rel=\"stylesheet\" type=\"text/css\" />\n\t<link href=\"/hive/stylesheets/structure.css\" media=\"all\" rel=\"stylesheet\" type=\"text/css\" />\n\t\n\t\n\t\n\t\n\t\t<link href=\"/hive/stylesheets/adv_search.css\" media=\"all\" rel=\"stylesheet\" type=\"text/css\">\n\t\t\n\t\n\t\n\t\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n <link href=\"/hive/stylesheets/registration_signin/registration.css?v=16\" media=\"all\" rel=\"stylesheet\" type=\"text/css\" />\n\n\n\n<link href=\"/stylesheets/market.css\" media=\"all\" rel=\"stylesheet\" type=\"text/css\" />\n\n<!--[if lte IE 6]>\n<link href=\"/hive/stylesheets/ie6-styles.css\" media=\"all\" rel=\"stylesheet\" type=\"text/css\" />\n<script defer type=\"text/javascript\" src=\"/hive/javascripts/pngfix.js\"></script>\n<![endif]-->\n\n<!--[if lte IE 7]>\n<link href=\"/hive/stylesheets/ie7-styles.css\" media=\"all\" rel=\"stylesheet\" type=\"text/css\" />\n<![endif]-->\n\n\n\n \n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n \n\n\n\n<script src=\"/hive/javascripts/jquery-1.7.2.js\"></script>\n<script src=\"/hive/javascripts/infuse-0.9p20.js\"></script>\n<script>\n var trblib = window.i$;\n i$.pluginPath = '/hive/javascripts/plugins/'; \n</script> \n\n <script src=\"/hive/javascripts/jquery-1.3.2.js\"></script>\n \n <script>\n jQuery = $; //rename $ function\n </script>\n \n <script src=\"/hive/javascripts/prototype.js?\"></script>\n \t <script src=\"/hive/javascripts/scriptaculous.js\"></script>\n \t \n \n <script src=\"/hive/javascripts/tabinterface.js\"></script>\n <script src=\"/hive/javascripts/AC_RunActiveContent.js\"></script>\n <script src=\"/hive/javascripts/cookies.js\"></script>\n <script src=\"/hive/javascripts/taxonomy-ads.js\"></script>\n <script src=\"/hive/javascripts/windoid.js\"></script>\n <script src=\"/hive/javascripts/menu.js\"></script>\n\n\n <script src=\"/hive/javascripts/adv_global.js\"></script>\n\n\n\n\n\n<script>\ntrblib.ns('trb').data = {\n contentId: '75927419',\n marketCode: 'chinews',\n section: '/news/local/suburbs/orland_park_homer_glen/community'\n};\n</script>\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n <script src=\"/hive/javascripts/registration_signin/registration-global.js?v=16\"></script>\n\t\n <script>\n registration.manager.config.initialize({\n productCode: \"chinews\",\n brandingSiteName: \"chicagotribune.com\",\n assetHostname: \"http://www.chicagotribune.com\", \n registrationHostname: \"https://chicagotribune.signon.trb.com\",\n useGigyaCommenting: \"\",\n metricsCookieName: \"metrics_id\",\n skipNewsletters: \"0\",\n navProfileUrl: \"https://members.chicagotribune.com/account/\",\n navNewsletterUrl: \"http://members.chicagotribune.com/newsletters/\",\n modalCloseUrl: \"\",\n\t\tnavigationContainerSelector: \"#ssorNavHeader\",\n\t\toriginHost: \"http://www.chicagotribune.com\" || \"\",\n navigationBackgroundColor: \"\",\n navigationTextColor: \"\",\n skipNewsletters: \"0\",\n userName: registration.utils.cookies.getValue( \"c_unm\" ) || \"\",\n tugsUrl: \"http://discussions.chicagotribune.com/\",\n signUpHandler: function(){\n if ( \"/about/membership/\" ){\n window.document.location.href = \"/about/membership/\"; \n } else if ( \"\" ){\n window.document.location.href = \"\";\n } else { \n registration.manager.showRegistrationDialog();\n }\n },\n signInHandler: function(){\n if ( \"\" ){\n window.document.location.href = \"\"; \n }else { \n registration.component.navigation.NavigationController.defaultNavigationParams.signInHandler();\n }\n }\n });\n jQuery( function(){\n if ( \"/about/membership/\" ){\n var eventManager = registration.manager.events.getEventManagerInstance();\n registration.manager.config.setConfig( \"signUpListener\", \"reg-signup-override\" );\n eventManager.addListener( \"reg-signup-override\", function(){\n window.document.location.href = \"/about/membership/\"; \n });\n }\n });\n\n\n\n \n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n i$.ns('trb.data').dssOverrideLevelCode = '';\n\n i$.require('http://www.tribdss.com/meter/ctcweb.js', function meteringServiceCallback() {\n trb.meteringService.modalCloseUrl = document.location.href.split('/').slice(0, 3).join('/') + '/about/site/registration/signin_registration.complete?';\n trb.meteringService.init = function() {};\n trb.meteringService.meter(null, null, function() {\n jQuery(function() {\n});\n });\n });\n\n\n </script>\n\n\n\n\n \n<script>\n trblib.require('/hive/javascripts/loggingService.js', function loggingServiceCallback() {\n trb.loggingService({\n sn: trb.data.section == '/' ? '' : trb.data.section,\n mc: trb.data.marketCode,\n ref: document.referrer,\n cid: trb.data.contentId && 'P2P-' + trb.data.contentId,\n es: window.registration && registration.manager.user.getUser() && registration.manager.user.getUser().getMasterId() || window.carnival && carnival.user.profile().masterId\n });\n });\n</script>\n\n\n\n\n\n\n\n\n\n\n\n\t \n\t\t\n\t\n\n \n \n\t<script src=\"/hive/javascripts/articletools.js\" type=\"text/javascript\"></script>\n \n\t\n\t\n\t\n\t\n\t \n \n \n\n\n\n\n\n\n\n\n\n\n \n\t<script type='text/javascript'>var _sf_startpt=(new Date()).getTime()</script> \n\n\n\n\n\n\n\r\n\r\n\r\n\r\n\r\n <script type=\"text/javascript\" src=\"http://content.dl-rms.com/rms/mother/36043/nodetag.js\"></script>\r\n\r\n\n \n\r\n\r\n \t\r\n\r\n\n\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\t\r\n\t\r\n\r\n\n\n\n\n\n\n\n\n\n\n\n\n \n<img src=\"http://ad.doubleclick.net/activity;src=1379696;dcnet=4155;sz=1x1;ord=1;boom=87581?\" width=\"1\" height=\"1\" border=\"0\" alt=\"\">\n\n <style type='text/css'>\n\ndiv.article div.articlerail ul li.relatedTitle, div.storygallery div.storyGalleryRail ul li.relatedTitle {\n font-size: 12px !important;\n}\ndiv.thumbnail span.credit {\n font-weight: normal !important;\n}\n</style>\n \n\t<script type=\"text/JavaScript\">\nvar aax_src='1090';\nvar amzn_targs='';\nvar url = encodeURIComponent(document.location);\ntry { url = encodeURIComponent(\"\" + window.top.location); } catch(e) {}\ndocument.write(\"<scr\"+\"ipt src='//aax-us-east.amazon-Adsystem.com/e/dtb/bid?src=\" + aax_src + \"&u=\"+url+\"&cb=\" + Math.round(Math.random()*10000000) + \"'></scr\"+\"ipt>\");\ndocument.close();\n</script>\n\n\t\n\t<meta property=\"pm:template\" content=\"nobyline\"/>\n\t\n\t<script src=\"http://widget.perfectmarket.com/chicagotribune/load.js\"></script>\n\n\n\n</head>\n<body class=\" \">\n\n<script src=\"/hive/javascripts/trivi-min.js\" type=\"text/javascript\"></script>\n\n\n<div id=\"container\">\n <div id=\"branding\">\n\t\t<div id=\"masthead\">\n\t\t\t\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n<div id=\"classified-bar\" class=\"clearfix\">\r\n <div id=\"classBarNav\" > \r\n\t\r\n\r\n\t\r\n\r\n \r\n\t<ul class=\"classBarNavMember\">\r\n <li id=\"memberLoginInfo\" style=\"width:220px;\"></li>\r\n </ul>\r\n\r\n <ul class=\"classBarNavLink\">\r\n \r\n </ul>\r\n\r\n\t\r\n\t\t\t\t<script type=\"text/javascript\">\r\n\t\t\t\t\t(function($) {\r\n\t\t\t\t\t\tvar CBwidth = $('#classified-bar').outerWidth(true);\r\n\t\t\t\t\t\tvar $mLI = $('#memberLoginInfo');\r\n\t\t\t\t\t\tvar mLIwidth = $mLI.outerWidth(true);\r\n\t\t\t\t\t\t$('.classBarNavMember').css({'left':(CBwidth - mLIwidth)});\r\n\t\t\t\t\t\t$('.classBarNavLink').css({'float':'left'});\r\n\t\t\t\t\t})(jQuery);\r\n\t\t\t\t</script>\r\n\t\t\t\r\n\r\n </div>\r\n</div>\r\n \r\n \n\t\t\t\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n<div id=\"header\" class=\"clearfix smallLogo\">\r\n <div id=\"homepageLink\"><a href=\"/\" alt=\"Home\" title=\"chicagotribune.com\">&nbsp;</a></div>\r\n <div id=\"logo\" >\r\n \r\n <a href=\"/\" alt=\"Home\" title=\"chicagotribune.com\">\r\n \r\n <img src=\"/images/triblocal-sm.png\" alt=\"chicagotribune.com\" />\r\n </a>\r\n </div>\r\n \r\n \r\n \r\n <span id=\"sectionBreadcrumb\"><span class=\"stack\"><a href=\"/news/local/suburbs/orland_park_homer_glen\">Orland Park & Homer Glen</a><span class=\"subhed\">With news from Orland Hills</span></span></span>\r\n \r\n \r\n</div>\r\n\n\t\t\t\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n<div id=\"navigation\" class=\"clearfix\">\n <div id=\"layerOne\">\n\t\n\n\n\n\n\n\n\n\n\n\n\r\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n<ul id=\"root\">\n\n\n<li class=\"navLink first\">\n\n\n\n\n<a href=\"/\" class=\"mainNav\" name=\"&lpos=Main&lid=Home\" ><span>Home</span></a>\n<ul class=\"level2\">\n\n\n\n\n\n\n\n<li>\n<a href=\"https://members.chicagotribune.com/learn-more/\" name=\"&lpos=Sub&lid=Member Center\" >Member Center</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://www.chicagotribune.com/news/weather/\" name=\"&lpos=Sub&lid=Weather\" >Weather</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://www.traffic.com/Chicago-Traffic/Chicago-Traffic-Reports.html?AWOPARTNER=CHICAGOTRIBUNE\" name=\"&lpos=Sub&lid=Traffic\" >Traffic</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://www.legacy.com/obituaries/chicagotribune/\" name=\"&lpos=Sub&lid=Death Notices\" >Death Notices</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"https://myaccount2.chicagotribune.com/dssSubscribe.aspx?pid=125\" name=\"&lpos=Sub&lid=Subscribe\" >Subscribe</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://touch.chicagotribune.com\" name=\"&lpos=Sub&lid=Mobile\" >Mobile</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"https://members.chicagotribune.com/eedition/\" name=\"&lpos=Sub&lid=Digital copy\" >Digital copy</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/news/plus\" name=\"&lpos=Sub&lid=Digital Plus\" >Digital Plus</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://community.chicagotribune.com/\" name=\"&lpos=Sub&lid=From the community\" >From the community</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://www.chicagotribune.com/newsletters\" name=\"&lpos=Sub&lid=Newsletters & Alerts\" >Newsletters & Alerts</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/news/photo/\" name=\"&lpos=Sub&lid=Photos\" >Photos</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://www.chicagotribune.com/videogallery/\" name=\"&lpos=Sub&lid=Video\" >Video</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/classified\" name=\"&lpos=Sub&lid=Classified\" >Classified</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://www.chicagoshopping.com\" name=\"&lpos=Sub&lid=Shopping\" >Shopping</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://flyers.chicagoshopping.com\" name=\"&lpos=Sub&lid=Weekly Ads\" target=\"_blank\">Weekly Ads</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://www.chicagotribune.com/advertiser/\" name=\"&lpos=Sub&lid=Place an Ad\" target=\"_blank\">Place an Ad</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://tribunemediagroup.com/\" name=\"&lpos=Sub&lid=Media Kit\" >Media Kit</a>\n</li>\n\n\n\n\n\n</ul>\n\n</li>\n\n\n\n\n\n\n\n\n<li class=\"navLink \">\n\n\n\n\n<a href=\"/news/\" class=\"mainNav\" name=\"&lpos=Main&lid=News\" ><span>News</span></a>\n<ul class=\"level2\">\n\n\n\n\n\n\n\n<li>\n<a href=\"/news/local/breaking\" name=\"&lpos=Sub&lid=Breaking\" >Breaking</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/news/local/\" name=\"&lpos=Sub&lid=Chicagoland\" >Chicagoland</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://www.chicagotribune.com/news/local/suburbs\" name=\"&lpos=Sub&lid=TribLocal\" >TribLocal</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/news/nationworld/\" name=\"&lpos=Sub&lid=Nation & World\" >Nation & World</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/news/watchdog/\" name=\"&lpos=Sub&lid=Watchdog\" >Watchdog</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/clout\" name=\"&lpos=Sub&lid=Local Politics\" >Local Politics</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/news/politicsnow\" name=\"&lpos=Sub&lid=National Politics\" >National Politics</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/news/obituaries/\" name=\"&lpos=Sub&lid=Obituaries\" >Obituaries</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/news/education\" name=\"&lpos=Sub&lid=Schools\" >Schools</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://crime.chicagotribune.com\" name=\"&lpos=Sub&lid=Chicago crime\" >Chicago crime</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://www.chicagotribune.com/news/data/\" name=\"&lpos=Sub&lid=Maps & Apps\" >Maps & Apps</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/news/tribnation\" name=\"&lpos=Sub&lid=Trib Nation\" >Trib Nation</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/news/columnists\" name=\"&lpos=Sub&lid=Columns\" >Columns</a>\n</li>\n\n\n\n\n\n</ul>\n\n</li>\n\n\n\n\n\n\n\n\n<li class=\"navLink \">\n\n\n\n\n<a href=\"/business/\" class=\"mainNav\" name=\"&lpos=Main&lid=Business\" ><span>Business</span></a>\n<ul class=\"level2\">\n\n\n\n\n\n\n\n<li>\n<a href=\"/business/breaking/\" name=\"&lpos=Sub&lid=Breaking\" >Breaking</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/business/technology\" name=\"&lpos=Sub&lid=Technology\" >Technology</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/business/yourmoney/\" name=\"&lpos=Sub&lid=Money\" >Money</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/business/careers\" name=\"&lpos=Sub&lid=Work Life\" >Work Life</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://markets.chicagotribune.com/custom/tribune-interactive/localmktscreener/html-localmktscreener-full.asp?siteid=chicagotribune\" name=\"&lpos=Sub&lid=Chicago Stocks\" >Chicago Stocks</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/business/columnists/\" name=\"&lpos=Sub&lid=Columns\" >Columns</a>\n</li>\n\n\n\n\n\n</ul>\n\n</li>\n\n\n\n\n\n\n\n\n<li class=\"navLink \">\n\n\n\n\n<a href=\"/sports/\" class=\"mainNav\" name=\"&lpos=Main&lid=Sports\" ><span>Sports</span></a>\n<ul class=\"level2\">\n\n\n\n\n\n\n\n<li>\n<a href=\"/sports/breaking/\" name=\"&lpos=Sub&lid=Breaking\" >Breaking</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/sports/football/bears/\" name=\"&lpos=Sub&lid=Bears & NFL\" >Bears & NFL</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/sports/basketball/bulls/\" name=\"&lpos=Sub&lid=Bulls & NBA\" >Bulls & NBA</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/sports/hockey/blackhawks/\" name=\"&lpos=Sub&lid=Blackhawks & NHL\" >Blackhawks & NHL</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/sports/baseball/cubs/\" name=\"&lpos=Sub&lid=Cubs & MLB\" >Cubs & MLB</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/sports/baseball/whitesox/\" name=\"&lpos=Sub&lid=White Sox & MLB\" >White Sox & MLB</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/sports/college/\" name=\"&lpos=Sub&lid=Colleges\" >Colleges</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/sports/highschool/\" name=\"&lpos=Sub&lid=High Schools\" >High Schools</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/sports/soccer\" name=\"&lpos=Sub&lid=Soccer\" >Soccer</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/sports/golf/\" name=\"&lpos=Sub&lid=Golf\" >Golf</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/sports/international/\" name=\"&lpos=Sub&lid=International\" >International</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/sports/horseracing/\" name=\"&lpos=Sub&lid=Horse racing\" >Horse racing</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/sports/scoresstats/\" name=\"&lpos=Sub&lid=Scores\" >Scores</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/sports/columnists/\" name=\"&lpos=Sub&lid=Columns\" >Columns</a>\n</li>\n\n\n\n\n\n</ul>\n\n</li>\n\n\n\n\n\n\n\n\n<li class=\"navLink \">\n\n\n\n\n<a href=\"/entertainment/\" class=\"mainNav\" name=\"&lpos=Main&lid=A&E\" ><span>A&E</span></a>\n<ul class=\"level2\">\n\n\n\n\n\n\n\n<li>\n<a href=\"/entertainment/breaking\" name=\"&lpos=Sub&lid=Breaking\" >Breaking</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/entertainment/movies\" name=\"&lpos=Sub&lid=Movies\" >Movies</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/entertainment/music\" name=\"&lpos=Sub&lid=Music\" >Music</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://www.chicagotribune.com/entertainment/theater/theaterloop/\" name=\"&lpos=Sub&lid=Theater\" >Theater</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://graphics.chicagotribune.com/mormon/\" name=\"&lpos=Sub&lid=Book of Mormon\" >Book of Mormon</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/entertainment/tv\" name=\"&lpos=Sub&lid=Television\" >Television</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/entertainment/celebrity/aboutlastnight/\" name=\"&lpos=Sub&lid=Celebrities\" >Celebrities</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://games.chicagotribune.com/\" name=\"&lpos=Sub&lid=Games\" >Games</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/entertainment/events/\" name=\"&lpos=Sub&lid=Events\" >Events</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/entertainment/cityscapes/\" name=\"&lpos=Sub&lid=Architecture\" >Architecture</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/entertainment/art\" name=\"&lpos=Sub&lid=Arts\" >Arts</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/entertainment/funstuff/comics/\" name=\"&lpos=Sub&lid=Comics\" >Comics</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/entertainment/columnists/\" name=\"&lpos=Sub&lid=Columns\" >Columns</a>\n</li>\n\n\n\n\n\n</ul>\n\n</li>\n\n\n\n\n\n\n\n\n<li class=\"navLink \">\n\n\n\n\n<a href=\"/features/\" class=\"mainNav\" name=\"&lpos=Main&lid=Lifestyles\" ><span>Lifestyles</span></a>\n<ul class=\"level2\">\n\n\n\n\n\n\n\n<li>\n<a href=\"/travel/\" name=\"&lpos=Sub&lid=Travel\" >Travel</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/health/\" name=\"&lpos=Sub&lid=Health\" >Health</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/features/food\" name=\"&lpos=Sub&lid=Food & Dining\" >Food & Dining</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/features/books\" name=\"&lpos=Sub&lid=Books\" >Books</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/classified/realestate/home\" name=\"&lpos=Sub&lid=Home & Garden\" >Home & Garden</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://www.chicagotribune.com/news/religion\" name=\"&lpos=Sub&lid=Religion\" >Religion</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://www.chicagotribune.com/features/life/\" name=\"&lpos=Sub&lid=Life Lessons\" >Life Lessons</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://www.chicagotribune.com/features/tribu/askamy/\" name=\"&lpos=Sub&lid=Ask Amy\" >Ask Amy</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/news/tribnation/events/\" name=\"&lpos=Sub&lid=Trib Nation Events\" >Trib Nation Events</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/features/horoscopes/\" name=\"&lpos=Sub&lid=Horoscopes\" >Horoscopes</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://www.chicagotribune.com/features/chi-lottery,0,3718200.htmlstory\" name=\"&lpos=Sub&lid=Lottery numbers\" >Lottery numbers</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://www.chicagotribune.com/features/columnists/\" name=\"&lpos=Sub&lid=Columns\" >Columns</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li class=\"ccGreen\">\n<a href=\"http://www.empowereddoctor.com/chicagotribune/\" name=\"&lpos=Sub&lid=Cancer Central\" >Cancer Central</a>\n</li>\n\n\n\n\n\n</ul>\n\n</li>\n\n\n\n\n\n\n\n\n<li class=\"navLink \">\n\n\n\n\n<a href=\"/news/opinion/\" class=\"mainNav\" name=\"&lpos=Main&lid=Opinion\" ><span>Opinion</span></a>\n<ul class=\"level2\">\n\n\n\n\n\n\n\n<li>\n<a href=\"/news/opinion/editorials/\" name=\"&lpos=Sub&lid=Editorials\" >Editorials</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/news/opinion/commentary/\" name=\"&lpos=Sub&lid=Guest Commentary\" >Guest Commentary</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/news/opinion/letters/\" name=\"&lpos=Sub&lid=Letters\" >Letters</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/news/opinion/chi-stantis-cartoongallery,0,2807119.cartoongallery\" name=\"&lpos=Sub&lid=Stantis Cartoons\" >Stantis Cartoons</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/news/columnists/today/\" name=\"&lpos=Sub&lid=Today's Columns\" >Today's Columns</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/news/columnists/all/\" name=\"&lpos=Sub&lid=All Columns\" >All Columns</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/news/columnists\" name=\"&lpos=Sub&lid=News\" >News</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/sports/columnists/\" name=\"&lpos=Sub&lid=Sports\" >Sports</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/business/columnists/\" name=\"&lpos=Sub&lid=Business\" >Business</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/entertainment/columnists/\" name=\"&lpos=Sub&lid=A&E \" >A&E </a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/features/columnists/\" name=\"&lpos=Sub&lid=Lifestyles\" >Lifestyles</a>\n</li>\n\n\n\n\n\n</ul>\n\n</li>\n\n\n\n\n\n\n\n\n<li class=\"navLink \">\n\n\n\n\n<a href=\"/classified/realestate/\" class=\"mainNav\" name=\"&lpos=Main&lid=Real Estate\" ><span>Real Estate</span></a>\n<ul class=\"level2\">\n\n\n\n\n\n\n\n<li>\n<a href=\"/classified/realestate/buy/\" name=\"&lpos=Sub&lid=Buy a Home\" >Buy a Home</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/advertiser/category/real-estate/\" name=\"&lpos=Sub&lid=Sell Your Home\" >Sell Your Home</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/classified/realestate/transactions/\" name=\"&lpos=Sub&lid=Latest Sales\" rel=\"nofollow\" target=\"_blank\">Latest Sales</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/classified/realestate/apartments\" name=\"&lpos=Sub&lid=Apartments & Condos\" >Apartments & Condos</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/classified/realestate/communities/\" name=\"&lpos=Sub&lid=Neighborhoods & Suburbs\" >Neighborhoods & Suburbs</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/classified/realestate/foreclosure\" name=\"&lpos=Sub&lid=Foreclosure News\" >Foreclosure News</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/classified/realestate/luxury/\" name=\"&lpos=Sub&lid=Luxury Real Estate\" >Luxury Real Estate</a>\n</li>\n\n\n\n\n\n</ul>\n\n</li>\n\n\n\n\n\n\n\n\n<li class=\"navLink \">\n\n\n\n\n<a href=\"/classified/automotive/\" class=\"mainNav\" name=\"&lpos=Main&lid=Cars\" ><span>Cars</span></a>\n<ul class=\"level2\">\n\n\n\n\n\n\n\n<li>\n<a href=\"/classified/automotive/dealers/\" name=\"&lpos=Sub&lid=Buy a Car\" >Buy a Car</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://www.chicagotribune.com/advertiser/category/auto/\" name=\"&lpos=Sub&lid=Sell Your Car\" >Sell Your Car</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"http://cars.chicagotribune.com/fuel-efficient/\" name=\"&lpos=Sub&lid=Fuel-Efficient Cars\" >Fuel-Efficient Cars</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/classified/automotive/new/\" name=\"&lpos=Sub&lid=Car Reviews\" >Car Reviews</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/classified/automotive/used/\" name=\"&lpos=Sub&lid=Car Care\" >Car Care</a>\n</li>\n\n\n\n\n\n</ul>\n\n</li>\n\n\n\n\n\n\n\n\n<li class=\"navLink \">\n\n\n\n\n<a href=\"/classified/jobs/\" class=\"mainNav\" name=\"&lpos=Main&lid=Jobs\" ><span>Jobs</span></a>\n<ul class=\"level2\">\n\n\n\n\n\n\n\n<li>\n<a href=\"/classified/jobs/search/\" name=\"&lpos=Sub&lid=Find a Job\" >Find a Job</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/advertiser/category/jobs/\" name=\"&lpos=Sub&lid=List Your Job\" >List Your Job</a>\n</li>\n\n\n\n\n\n\n\n\n\n\n\n<li>\n<a href=\"/business/careers/topworkplaces2012/\" name=\"&lpos=Sub&lid=Top Workplaces\" >Top Workplaces</a>\n</li>\n\n\n\n\n\n</ul>\n\n</li>\n\n\n\n\n\n</ul>\n\n\t\n\t\n \n <div id=\"targetWeeklyAd\" onclick=\"window.location.href='/shopping/circular/target';\">\n <div id=\"targetWeeklyAdLogo\"><a href=\"/shopping/circular/target\"><img src=\"/images/target_weekly_ad_animated.gif\"/></a></div>\n </div>\n \n\t\n \n </div> \n</div>\n<script type=\"text/javascript\">\n\n\n\n\n eraseCookie(\"mainPage\");\n createCookie(\"mainPage\",\"/news/local/suburbs/orland_park_homer_glen/community\",\"1\");\n\n jQuery(document).ready( function() {\n menuFix();\n tribHover();\n });\n\n\n\n</script>\n\t\t</div>\n \n\n\n\r\n\n\n\n\n \n \n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n \n \n \n \n \n\n <div id=\"hotTopic\" class=\"clearfix\">\n <ul class=\"level1\" id=\"rootTopic\">\n <li class=\"hot-link-begin\" >\n \n </li>\n \n </ul>\n \n\t\t\n\t\t\t\n\t\t\t\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n<style type=\"text/css\"> /*OVERWRITES*/\n\t.adv_search { background-color: #fff; }\n\t#adv_search { background-color: #e2ebf3; }\n\t#adv_search .adv_search_head,\n\t#adv_help .adv_search_head { background-color: #32659b; }\n\t#search_overlay { background-color: #e2ebf3; }\n\t#search-results ul.advTabs { background-color: #32659b; }\n\t#search-results ul.advTabs li a { background-color: #32659b; }\n\t#search-results ul.advTabs li.advCurrTab a { background-color: #fff; color: #32659b; }\n\tdiv.panelTab { background: url(\"/images/adv_search/adv_panel_bg.png\") no-repeat; }\n\t#adv_keywords_head { background-color: #32659b; }\n\t#adv_results .clearfix {display:block;}\n</style>\n\n\t<div id=\"basicsearch\">\n\t\t\n\t\t\n\t\t\t<form class=\"tribForm\" method=\"get\" action=\"/search/dispatcher.front\" onSubmit=\"javascript:return checkForm(this,'Query')\">\t\n\t\t\t\t<ul>\n\t\t\t\t <li class=\"horiz\">\n\t\t\t\t\t<input type=\"text\" id=\"searchText\" class=\"adv_search_input\" onblur=\"if (this.value=='') this.value = 'Search'\" onfocus=\"if (this.value=='Search') this.value = ''\" name=\"Query\" value=\"Search\" />\n\t\t\t\t\t<input name=\"target\" value=\"adv_article\" type=\"hidden\" />\n\t\t\t\t\t\n\t\t\t\t\t<input type=\"submit\" class=\"adv_submit\" alt=\"Search\" value=\"\" />\n\t\t\t\t </li>\n\t\t\t\t</ul>\n\t\t\t</form>\n\t\t\n\t</div>\n<div id=\"search_overlay\">\n <form class=\"tribForm\" method=\"get\" action=\"/search/dispatcher.front\" onSubmit=\"javascript:return checkForm(this,'Query')\">\n <ul>\n <li class=\"horiz\">\n\t\t <input type=\"text\" id=\"searchText\" maxlength=\"100\" class=\"adv_search_input\" name=\"Query\" />\n\t\t <input name=\"target\" value=\"adv_article\" type=\"hidden\" />\n\t\t \n\t\t <input type=\"submit\" class=\"adv_submit\" alt=\"Search\" value=\"\"/>\n\t\t </li>\n\t\t</ul>\n </form>\n <a id=\"adv_search_open\" href=\"/\">Advanced Search</a>\n</div>\n\n<div id=\"adv_search\">\n <div class=\"adv_search_head\">\n \t<h3>Advanced Search</h3>\n \t<a href=\"/\" id=\"adv_search_close\">X</a>\n </div>\n <form class=\"tribForm\" method=\"get\" name=\"adv_search_form\" action=\"/search/dispatcher.front\" onSubmit=\"return advSearch.checkAdvForm(this);\">\n\t\t<input type=\"hidden\" id=\"Query\" name=\"Query\" value=\"\"/>\n\t\t<input type=\"hidden\" id=\"date\" name=\"date\" value=\"\"/>\n\t\t<input type=\"hidden\" id=\"target\" name=\"target\" value=\"adv_article\"/>\n\t\t<input type=\"hidden\" name=\"srchType\" value=\"advSearch\"/>\n\t\t\n\t <ul>\n\t <li><label for=\"include_all\">include all of these words: <input type=\"text\" id=\"include_all\" maxlength=\"100\"/></label></li>\n\t <li><label for=\"include_any\">include any of these words: <input type=\"text\" id=\"include_any\" maxlength=\"100\"/></label></li>\n\t <li><label for=\"include_exact\">include this exact phrase: <input type=\"text\" id=\"include_exact\" maxlength=\"100\"/></label></li>\n\t <li><label for=\"exclude\">exclude: <input type=\"text\" id=\"exclude\" maxlength=\"100\"/></label></li>\n \n <li class=\"fixed_date\">\n \t<label class=\"inline\"><input type=\"radio\" id=\"top_date_range_pre\" name=\"range\" value=\"pre\" checked=\"checked\" /> Select a date range</label>\n\t\t\t\t<div id=\"top_date_range_pre_div\">\n\t \t<select id=\"date_range_predefined\">\n\t <option value=\"\">this week</option>\n\t <option value=\"\" selected=\"selected\">past 30 days</option>\n\t <option value=\"\">past 3 months</option>\n\t <option value=\"\">past year</option>\n\t \n\t \t</select>\n \t</div>\n\t\t\t</li>\n <li class=\"custom_date\">\n \t<label><input type=\"radio\" id=\"top_date_range_cust\" name=\"range\" value=\"cust\" /> Create a custom date range</label>\n\t <div id=\"top_date_range_cust_div\">\n\t\t\t\t\t<label class=\"inline custom_from\">From: <input type=\"text\" id=\"date_range_custom_from\" disabled=\"disabled\" class=\"inline disabled\" /></label>\n\t \t<label class=\"inline\">To: <input type=\"text\" id=\"date_range_custom_to\" disabled=\"disabled\" class=\"inline disabled\" /></label>\n\t\t\t\t</div>\n </li>\n <li>\n \t<input class=\"submit\" type=\"submit\" value=\"Search\"/>\n </li>\n </ul>\n </form>\n</div>\n\n\t\t\t\n\t\t\n\n\n </div>\n\n\n \n \n <img height=\"1\" width=\"1\" src=\"http://view.atdmt.com/action/MSFT_Tribune_AE_ExtData/v3/atc1.ChicagoTribune/atc2.News/atc3.Local/atc4.Suburbs/atc5.Orland_park_homer_glen/atc6.Community\"/>\n\t\t\n </div>\n\n\n\n \n\t \n\t <div id=\"leaderboard_ad_div\" class=\"ad centerAd topLeaderboard\">\n\t\t\t<script language=\"JavaScript\" src=\"http://ad.doubleclick.net/adj/trb.chicagotribune/triblocal/orlandpark;rs=D70040;rs=D70074;rs=D70098;rs=D70105;rs=D70113;rs=D70010;rs=D70094;rs=D70620;rs=D70755;rs=D70758;rs=D72008;rs=B10210;rs=B0;;ptype=s;slug=chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15;rg=ur;pos=T;dcopt=ist;sz=728x90;tile=1;at=DiseasesandIllnesses;at=BreastCancer;at=MedicalProceduresandTests;at=OvarianCancer;at=Mammogram;iab=heal;iab=ent;u=ptype|s!pos|T!sz|728x90!asl|D70040^D70074^D70098^D70105^D70113^D70010^D70094^D70620^D70755^D70758^D72008^B10210^B0;ord=2708481?\" type=\"text/javascript\"></script>\n <noscript><a href=\"http://ad.doubleclick.net/jump/trb.chicagotribune/triblocal/orlandpark;rs=D70040;rs=D70074;rs=D70098;rs=D70105;rs=D70113;rs=D70010;rs=D70094;rs=D70620;rs=D70755;rs=D70758;rs=D72008;rs=B10210;rs=B0;;ptype=s;slug=chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15;rg=ur;pos=T;sz=728x90;tile=1;at=DiseasesandIllnesses;at=BreastCancer;at=MedicalProceduresandTests;at=OvarianCancer;at=Mammogram;iab=heal;iab=ent;u=ptype|s!pos|T!sz|728x90!asl|D70040^D70074^D70098^D70105^D70113^D70010^D70094^D70620^D70755^D70758^D72008^B10210^B0;ord=2708481?\" target=\"_blank\" rel=\"nofollow\"><img src=\"http://ad.doubleclick.net/ad/trb.chicagotribune/triblocal/orlandpark;rs=D70040;rs=D70074;rs=D70098;rs=D70105;rs=D70113;rs=D70010;rs=D70094;rs=D70620;rs=D70755;rs=D70758;rs=D72008;rs=B10210;rs=B0;;ptype=s;slug=chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15;rg=ur;pos=T;dcopt=ist;sz=728x90;tile=1;at=DiseasesandIllnesses;at=BreastCancer;at=MedicalProceduresandTests;at=OvarianCancer;at=Mammogram;iab=heal;iab=ent;u=ptype|s!pos|T!sz|728x90!asl|D70040^D70074^D70098^D70105^D70113^D70010^D70094^D70620^D70755^D70758^D72008^B10210^B0;ord=2708481?\" width=\"728\" height=\"90\" border=\"0\" alt=\"\"></a></noscript>\n\t\t</div>\n\t \n \n\n\n\n\n\t\n\n\t\n\n \n \t\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n \r\n\r\n \r\n <!-- BREAKING NEWS AND LIVE VIDEO CONTENT GOES BELOW. REMOVE THE COMMENT TAGS THAT WRAP THE CONTENT BELOW IN ORDER TO TURN LIVE. -->\r\n\r\n<!--\r\n\r\n<div id=\"breakingNewsFull\" class=\"layoutB clearfix\">\r\n\r\n<div class=\"label\">&nbsp;&nbsp;&nbsp; Breaking news</div>\r\n\r\n<div class=\"contentarea\">\r\n\r\n<h4>Jury in Donald Trump condo lawsuit trial reaches verdict</h4></div></div>\r\n\r\n\r\n-->\r\n<!-- DON'T TOUCH. -->\r\n\r\n<div id=\"google-search-box\">\n <form action=\"/search_results/\" method=\"get\">\n <input type=\"text\" name=\"q\" autocomplete=\"off\" class=\"placeholder\"\n onfocus=\"jQuery(this).removeClass('placeholder');\"\n onblur=\"if ( jQuery(this).val() == '' ) jQuery(this).addClass('placeholder');\" />\n <button type=\"submit\"><span>Search</span></button>\n </form>\n</div>\n\n<style type=\"text/css\">\n #topRightNarrow div.headColumn2 div.headlineItem img.headlineThumb, #rail.narrow div.headColumn2 div.headlineItem img.headlineThumb, .twoColumnSplit td.right div.headColumn2 div.headlineItem img.headlineThumb { max-width: 140px; }\n *:first-child+html .trb_dss_premiumIcon { background-repeat:no-repeat; }\n div#section { width:960px; clear:both; }\n \n /* Slider Billboard Area Styles */\n \n div.slidingbillboard div {margin-left:auto; margin-right:auto;}\n \n div.slidingbillboard { margin: 10px 0 10px -5px; }\n \n /* Hide companion cube billboard styles in case we reuse them. */\n /*div.slidingbillboard div.blurb.premium-content,\n div.topLeaderboard div.blurb.premium-content {\n z-index: 100;\n }\n div.topLeaderboard.premium-content img,\n div.slidingbillboard.premium-content img { margin: 0; }\n \n div.slidingbillboard div[id*=\"adx\"] { margin-right: 0; }*/\n\n div.mezzanine.premium-content .mezzitem h3:after,\n table.premium-content .headline:after{\n content: '';\n width: 0;\n height: 0;\n }\n div#navigation { z-index:99999999; }\n\n /* Moving Today's Forecast into the Header */\n div#container div#section div.todaysForecast { position: absolute; top: 4px; }\n div.todaysForecast .radar_map { width: 100px; }\n div.todaysForecast .radar_map img { height: 75px; }\n div.todaysForecast .weather_behavior { display: none; }\n div.todaysForecast .todays_header { display: none; }\n div.todaysForecast .conditional { width: 90px; }\n div.todaysForecast .cond { font-size: 14px; font-variant: small-caps; position: absolute; top: 40px; text-align: left; left: 0px; }\n div.todaysForecast .cond:after { content: none; }\n div.todaysForecast .current_temp { font-size: 20px; }\n div.todaysForecast .temp { font-size: 13px; width: 125px; text-align: left; }\n\n /* Premium rail headlines module v2 */\n div.threeColumnSplit h2.sectiontitle.premium-headlines { margin: 0px 0px 10px; text-transform: none; border-top: none; }\n h2.premium-headlines span.digitalPlus-digital { font-weight: bold; color: #005596; text-transform: lowercase; }\n h2.premium-headlines span.digitalPlus-plus { font-weight: bold; color: #1A1A1A; font-family: 'Helvetica Neue',Arial,sans-serif; text-transform: uppercase; }\n div.premium-headlines div.headlineItem { margin: 0; }\n div.premium-headlines img.headlineThumb { max-width: 100px; }\n div.premium-headlines h2.headline a, div.premium-headlines h3.headline a, div.premium-headlines h4.headline a { font-size: 15px; }\n div.premium-headlines .sectionlink-head a { font-weight: bold; }\n\n /*Cancer Central */\n ul#root li.navLink ul.level2 li.ccGreen a { background-color: #ECF6FE; font-weight: bold; text-shadow: none; }\n\n /*Fixes for video/photo rail module*/\n #topRightNarrow div.headlines.frontpage-vids .headline,\n div.headlines.frontpage-vids .headline { clear: both; }\n\n #topRightNarrow div.headlines.frontpage-vids img.headlineThumb,\n div.headlines.frontpage-vids img.headlineThumb { max-width: 300px; }\n\n #topRightNarrow div.headlines.frontpage-vids table.hasContent,\n div.headlines.frontpage-vids table.hasContent { width: 300px; }\n\n #topRightNarrow div.headlines.frontpage-galleries table.hasContent,\n div.headlines.frontpage-galleries table.hasContent { width: 150px; }\n\n .centerpiece div.headlines.frontpage-galleries .briefBelow img.headlineThumb { max-width: 140px; }\n\n\n /*Breaking news*/\n #breakingNewsFull { width: 960px; border: solid 1px #a00; margin: 0px 0px 10px 10px; padding: 0px; background-color: #a00; }\n\n #breakingNewsFull .label { color: #fff; font-size: 16px; position: relative; float: left; width: 190px; padding: 5px; clear: both; margin: 0 0 0 -12px; }\n\n #breakingNewsFull .contentarea { position: realtive; float: right; background-color: #fff; width: 760px; color: #000; font-size: 20px; padding: 5px; }\n\n #breakingNewsFull .contentarea h4 { float: left; margin: 3px 3px; }\n\n #breakingNewsFull .contentarea h4 a { color: #a00; }\n\n #breakingNewsFull .contentarea div.signup-alerts { color: #000; font-size: 12px; font-weight: normal; float: right; text-align: right; padding: 6px 0px; }\n\n /*Font fixes*/\n div.headlines.headColumn3.horiz-photo-strip .headlineItem .headline a { font-size: 18px; }\n .river ul.relatedHeadline li.bulleted,\n .river ul.relatedHeadline li,\n .river ul.relatedHeadline li.bulleted a,\n .river ul.relatedHeadline li a { font-size: 15px; }\n\n/* photo-strip fix */\n div.headlines.headColumn3.horiz-photo-strip .headlineItem .headline {\n float: none;\n clear: both;\n }\n .twoColumnSplit.photo-video-module td.right {\n max-width: 310px;\n width: 60%;\n float: left;\n margin: 0;\n padding: 0;\n }\n #gallery-content-popup #gallery-slideshow .holder { width:100%; }\n\n/* Feed Masher List Updates */\n\nul.feedMasherList li { font-size: 15px; }\nul.feedMasherList a { display: block; font-size: 18px; }\ntd.right ul.feedMasherList a, div#topRightNarrow ul.feedMasherList a { font-size: 1em; }\nul.feedMasherList span { color: #757575; display: block; font-family: 'Helevetica Neue',Arial,sans-serif; font-size: 12px; font-style: italic; }\n\ndiv#container {z-index:auto;}\nbody {z-index:1;}\n\n/* Partner Mezz updates for home page */\n\n.twoColumnSplit td.right .partner-stories .headlineThumb { max-width: 101px; }\n\ndiv.headlines.partner-stories .headlineItem p { left: 116px; margin: 5px 0; }\n\n/* Fix for puppy in FireFox, and other puppy changes */\n\n@-moz-document domain(chicagotribune.com) {\n.twoColumnSplit.puppy.seventy-thirty td.right { width: 34%; }\n.twoColumnSplit.puppy.seventy-thirty td.left { width: 70.5%; }\n}\n.puppy ul.relatedHeadline { clear: none; }\n.puppy p.defaultHeadlinesBrief, .puppy .update-source { float: none; width: auto; }\n.puppy .cutline { clear: none; width: 400px !important; float: left; }\n.puppy div.headlineItem .headline, .puppy div.headlineItem div.headlineTimestamp { margin: 0 0 10px; }\n\n/* Adding reset button styles */\ninput[type=\"reset\"] { background: -moz-linear-gradient(center top , #999999, #757575) repeat scroll 0 0 #999999; border: 1px solid #757575; border-radius: 4px 4px 4px 4px; box-shadow: 0 1px 1px #555555; display: inline; font-family: 'Helevetica Neue',Arial,sans-serif; font-size: 13px; padding: 5px 4%; text-transform: uppercase; }\n\n/* Logged in user classes */\n.for-logged-in-users {display:none;}\nbody.user-logged-in .for-visitors {display:none;}\nbody.user-logged-in .for-logged-in-users {display:block;}\n\n/* Article Rail Changes */\n\ndiv.article div.articlerail img { margin-bottom: 2px; }\n.useBullet { list-style: none !important; margin-left: 0 !important; }\n.relatedExtraItem a { padding-bottom: 8px; }\n\n/* TribLocal Headers */\nspan#sectionBreadcrumb span.stack {\n display:block;\n margin-top: -30px;\n padding-top: 30px;\n}\n\nspan.stack span.subhed {\n display:block;\n color: #757575;\n font-size: 20px;\n}\n\n</style>\n\n<!--[if gte IE 8]>\n<style type=\"text/css\">\n.trb_dss_premiumIcon { background: url(/hive/images/dss/plus-icon.png) no-repeat 0 60%; }\n</style>\n<![endif]-->\n\n<script type=\"text/javascript\">\n window.loadTriblocalTown = function() {\n var $ = jQuery;\n var town_id = readCookie('triblocal_town_id');\n var frames = $(\".triblocal-headline-frame\");\n var qs = \"\";\n if(town_id || town_id == -1)\n qs = '?' + town_id;\n\n frames.each(function () {\n $(this).attr('src', $(this).attr('srcx') + qs);\n });\n };\n\n // Used on /about/membership and for\n // homepage premium content promo\n if ( !window.check_for_meteringService ) {\n window.check_for_meteringService = function(callback) {\n if ( !window.meteringServiceCheckTimers )\n window.meteringServiceCheckTimers = [];\n\n if ( callback ) {\n // \"Unique enough\" key for callback timer\n var key = escape(callback.toString().replace(/\\n|\\s/gi, \"\").slice(0, 100));\n }\n\n if ( typeof trb.meteringService == 'undefined') {\n if ( callback ) {\n if ( window.meteringServiceCheckTimers[key] )\n clearTimeout( window.meteringServiceCheckTimers[key] );\n\n window.meteringServiceCheckTimers[key] = setTimeout(\n window.check_for_meteringService, 1000, callback);\n }\n return false;\n } else {\n if ( callback ) {\n if ( window.meteringServiceCheckTimers[key] ) {\n clearTimeout( window.meteringServiceCheckTimers[key] );\n }\n callback();\n }\n return true;\n }\n };\n }\n\n jQuery(document).ready(function(){\n var $ = jQuery;\n window.loadTriblocalTown();\n\n // adjust the sliding billboard if it's too big\n if($(\".slidingbillboard > div\").width())\n $(\".slidingbillboard\").css(\"margin-left\", \"-5px\");\n\n // handle some generic classes for adjusting stuff based\n // on user status\n if(trb.meteringService == undefined) {\n // Detect user status some other way\n if(readCookie('c_mId')) {\n var name = readCookie('c_unm');\n $(\"body\").addClass('user-logged-in');\n $(\".user-name-here\").text(name);\n }\n } else {\n window.check_for_meteringService(function() {\n if (window.trb.meteringService.storedData.userId) {\n window.trb.meteringService.getUserData(function(user) {\n var name = user.getFirstName();\n if ( name == '' )\n name = user.getUsername();\n\n $(\"body\").addClass('user-logged-in');\n $(\".user-name-here\").text(name);\n });\n }\n });\n }\n });\n</script>\n\n\r\n\r\n<!-- END OF STUFF YOU SHOUDLN'T TOUCH. -->\r\n \r\n\r\n\r\n\r\n\n \n\n\n\t\n\n<div id=\"content-rail-wrapper\">\n \n <div id=\"content\" class=\"article\">\n \n \n \n \n \n \n \n \n \n \n \n\n \n \n \n \n \n \n \n \n\n \n \n\n \n\n \n \n\n \r\n\r\n\r\n\r\n<div>\r\n \r\n\r\n\r\n\r\n\r\n\r\n<div id=\"breadcrumb\">\r\n \r\n\r\n \r\n \r\n \r\n \r\n <a href=\"/\">Home</a>\r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n &nbsp;&gt;&nbsp;<a href=\"/news\">News</a> \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n \r\n &nbsp;&gt;&nbsp;<a href=\"/news/local/suburbs/orland_park_homer_glen/community\">Orland Park, Orland Hills, Homer Glen Community</a> \r\n \r\n \r\n \r\n \r\n \r\n \r\n\r\n \r\n</div>\r\n </div>\r\n <div class=\"clear\"></div>\n\n \n \n \n \n \n \n \n \n \n \n\n \n \n \n\n <div class=\"story\">\n \n\n <h1>Palos Medical Group's Dr. Kanesha Bryant provides insight on genetic testing for breast cancer</h1>\n\n \n \n \n \n <div class=\"shareTop\">\n \n \n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\t\n\t\n\t\n\t\n\t\n\t\n\t\n\t\n\t\n\t\n\n\t\n\t\n\t\n\t\n\n\t\n\t\t\n\n\t\t\n\t\t\n\t\t\t<div class=\"nextgen-share-tools\">\n\t\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\t<ul class=\"nextgen-left\">\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li>\n\t\t\t\t\t\t\t\t<a href='/news/local/suburbs/orland_park_homer_glen/community/chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15,0,5501680,print.story' rel=\"nofollow\" title=\"print\" class=\"nextGenPrint\">\n\t\t\t\t\t\t\t\t\t<img src=\"/hive/images/icons/printicon_boxed.png\" alt=\"print\" class=\"icon\" />\n\t\t\t\t\t\t\t\t</a>\n\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\n\t\t\t\t\t\n\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t</ul>\n\t\t\t\n\t\t\t\t<ul class=\"nextgen-right\">\n\t\t\t\t\n\t\t\t\t\t\n\n\t\t\t\t\t\t\n\n\t\t\t\t\t\t\n\n\t\t\t\t\t\t<li>\n\t\t\t\t\t\t <div id=\"componentDiv_top\"></div>\n\t\t\t\t\t\t \n\t\t\t\t\t\t \n\t\t\t\t\t\t <script>\n\t\t\t\t\t\t i$.require('http://cdn.gigya.com/js/socialize.js?apiKey=2_4_F4IdtCdvuR2rCu5QTvu9iyF7shgNflXt9OC9CZCGkdNBZxTv6bQxpYge4Mlva-', function() {\n\t\t\t\t\t\t var act = new gigya.socialize.UserAction(),\n\t\t\t\t\t\t showShareBarUI_params = { \n\t\t\t\t\t\t containerID: 'componentDiv_top',\n\t\t\t\t\t\t shareButtons: [{ provider:'Email'}, { provider:'Share'}, { provider:'twitter-tweet'}, { provider:'facebook-like', action:'recommend'}],\n\t\t\t\t\t\t userAction: act,\n\t\t\t\t\t\t moreEnabledProviders: 'facebook,email,pinterest,twitter,linkedin,tumblr,delicious,digg,blogger,google,stumbleupon,reddit'\n\t\t\t\t\t\t };\n\t\t\t\t\t\t act.setTitle(\"Palos Medical Group's Dr. Kanesha Bryant provides insight on genetic testing for breast cancer\");\n\t\t\t\t\t\t act.setLinkBack(\"http://www.chicagotribune.com/news/local/suburbs/orland_park_homer_glen/community/chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15,0,3152151.story\");\n\t\t\t\t\t\t act.setDescription(\"Angelina Jolie&#8217;s decision to have a double mastectomy sheds light on a weapon being used in the fight against breast cancer &#8211; BRACAnalysis genetic testing.\");\n \t\t\t\t\t\t\t\n\t\t\t\t\t\t gigya.socialize.showShareBarUI(showShareBarUI_params);\n\t\t\t\t\t\t });\n\t\t\t\t\t\t </script>\n\t\t\t\t\t\t</li>\n\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t<li>\n\t\t\t\t\t\t<g:plusone size=\"medium\"></g:plusone>\n\t\t\t\t\t\t\n\t\t\t\t\t\t<script type=\"text/javascript\">\n\t\t\t\t\t\t (function() {\n\t\t\t\t\t\t var po = document.createElement('script'); po.type = 'text/javascript'; po.async = true;\n\t\t\t\t\t\t po.src = 'https://apis.google.com/js/plusone.js';\n\t\t\t\t\t\t var s = document.getElementsByTagName('script')[0]; s.parentNode.insertBefore(po, s);\n\t\t\t\t\t\t })();\n\t\t\t\t\t\t</script>\n\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\t</ul>\n\t\t\t\n\t\t\t\t<div class=\"clear\"></div>\n\t\t\t</div>\n\t\t\n\t\t\n\t\t\n\t\n\n</div>\n \n \n\n <div id=\"story-body\" class=\"articlebody mediumImage\">\n \n \r\n\r\n\r\n\r\n\n \n \n <div class=\"thumbnail\" style=\"width: 400px;\">\n <div class=\"holder\">\n <table cellspacing=\"0\"><tr><td>\n\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t<img src=\"http://www.trbimg.com/img-5193e0c6/turbine/chi-ugc-relatedphoto-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15/400/400x304\" alt=\"Palos Medical Group's Dr. Kanesha Bryant provides insight on genetic testing for breast cancer\" border=\"0\" width=\"400\" height=\"304\" title=\"Palos Medical Group's Dr. Kanesha Bryant provides insight on genetic testing for breast cancer\" />\n\t\t\t\t\t\t\t\t\t\n \n \n \n \n\n \n <p class=\"small\">\n Palos Medical Group Breast Surgeon Dr. Kanesha Bryant discusses whether BRACAnalysis genetic testing for breast cancer is right for you. \n <span class=\"credit\">(<span class=\"photographer\">Posted By paloscommunityhospital, <a href=\"http://community.chicagotribune.com/\">Community Contributor</a></span> / <span class=\"dateMonth\">May </span><span class=\"dateDay\">15</span><span class=\"dateYear\">, 2013</span>)</span>\n </p>\n \n \n </td></tr></table>\n </div>\n </div>\n \n \n \t\t\t\t\t\t\t\n\n \n \n\n\n\n\n\n\n\n\n\n\n\t\n\n \n\n \n \n \n\n \n <div class=\"articlerail\">\n <div id=\"pmAd\"></div>\n </div>\n \n \n \n \n\n \n \n \n <span class=\"toolSet\" style=\"width: 270px;\">\n \n \n <div class=\"byline\">\n \n \n <span class=\"byline\">By paloscommunityhospital, <a href=\"http://community.chicagotribune.com/\">Community Contributor</a></span>\n \n \n\n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n <p class=\"date\"><span class=\"timeString\">2:22 p.m. CDT</span><span class=\"dateTimeSeparator\">, </span><span class=\"dateString\">May 15, 2013</span></p>\n \n \n </div>\n \n \n <div class=\"clear\"></div>\n </span>\n \n \n <div id=\"story-body-text\">\n \n \n \n \n \n \n\t\t\t\t\t\t\t\t\t\t\n <p>Angelina Jolie&#8217;s decision to have a double mastectomy sheds light on a weapon being used in the fight against breast cancer &#8211; BRACAnalysis genetic testing.<br />Jolie, who recently shared her announcement with the New York Times, carries an inherited gene mutation &#8211; BRCA1 &#8211; increasing her risk for breast and ovarian cancer. The double mastectomy reduced her chance of developing breast cancer from 87 percent to less than 5 percent, according to her doctors.<br />While all cancers are the result of gene abnormalities, for as many as 20 percent of the 200,000 women who are diagnosed with breast cancer each year, their disease can be linked directly to a genetic defect that they inherited from their mother or father. Women who are born with a BRCA1 or BRCA2 genetic mutation have the highest &#8211; as high as 87 percent &#8211; lifetime risk of developing breast cancer. The odds of passing that risk on to their children: 50/50.<br />In addition to the high risk, tumors caused by BRCA abnormalities are more difficult to treat. Breast cancers found in women with one of these mutations most likely will be detected at an earlier age and more advanced stage, which means more aggressive treatments and lower survival rates. For women with an inherited risk, breast cancer can affect their families for generations to come.<br />BRACAnalysis has the potential to prevent each and every one of those 40,000 cases of hereditary breast cancer.<br />The first step in doing so is to find out if you or someone in your family carries a BRCAmutation. With insight from Palos Community Hospital Breast Surgeon Kanesha Bryant, M.D., we&#8217;ll help you determine if BRACAnalysis is right for you.<br />What is BRACAnalysis genetic testing?<br />BRACAnalysis is a simple blood test designed &#8220;to determine whether someone has one of the two genetic mutations &#8211; BRCA1 or BRCA2 &#8211; that can increase the risk of breast and ovarian cancer,&#8221; says Dr. Bryant. &#8220;This will help the person decide on medical options that could reduce her risk and assist other family members in deciding if they want to take further action to understand their own risks.&#8221;<br />If a person has a mother, sister, aunt or grandmother who has been diagnosed with breast cancer, does that person have an inherited risk?<br />&#8220;Possibly,&#8221; Dr. Bryant explains. &#8220;If a person has any family history of breast cancer, it could be associated with a genetic abnormality. However, not all breast cancers that run in families are caused by a BRCA mutation. When considering the possibility of a genetic link, we look for those with more than one first-generation relative who has had breast cancer, those with multiple generations of disease and those who develop breast cancer under the age of 50.&#8221;<br />If a woman has a BRCA mutation, what is her risk of developing breast cancer?<br />Women who test positive for a BRCA1 mutation have between a 50 and 70 percent chance of developing the disease by age 70, and those who carry the BRCA2 mutation have between a 40 and 60 percent risk. Any risk over 20 percent is considered high. Both abnormalities also increase a woman&#8217;s risk of ovarian cancer by between 30 and 60 percent, versus 1.4 percent for the general population.<br />Who should consider BRACAnalysis?<br />&#8220;The first person who should be tested is the person who has actually had breast cancer,&#8221; says Dr. Bryant. &#8220;After someone tests positive, then other family members can decide if they want to be tested.&#8221; If a first-degree relative with breast cancer dies before she can undergo genetic testing, the next closest relative to that person should consider BRACAnalysis.<br />Why is it important for some people to find out if they have an inherited genetic mutation for breast cancer?<br />&#8220;Awareness is key,&#8221; Dr. Bryant explains. &#8220;You don&#8217;t have to make any radical decisions now, but having the information can help you be proactive about the rest of your life. Knowing whether you have a BRCA mutation can give you a plan for preventing breast cancer, not only for yourself but for generations to come.&#8221;<br />But you need to take the first step towards finding out. If you believe you are at high risk for breast cancer, talk to a breast specialist about a breast cancer risk assessment. Even if you decide not to undergo BRACAnalysis, there are still steps you can take to reduce your and your family&#8217;s risk of breast cancer.<br />For a woman who carries a BRCA mutation, what steps can she take to prevent breast cancer?<br />Keep in mind that if you have a BRCA mutation, you have not inherited breast cancer, but rather you have inherited a higher risk of developing the disease.<br />Breast cancer is not inevitable. There are several steps you can take to reduce that risk and even prevent breast cancer altogether. If you believe you are at high risk, talk to a physician who specializes in breast cancer about which of these prevention options may be right for you:<br />&#8226;\tMammography is still the first line of defense against breast cancer. Annual digital mammograms, along with more advanced screenings using MRI, can start as early as age 25. You can request an appointment for your annual mammogram here: http://bit.ly/mammo2013 <br />&#8226;\tChemo-prevention drugs, such as Tamoxifen, have been proven to reduce the risk of breast cancer in women with BRCA mutations by more than half.<br />&#8226;\tA preventive bilateral mastectomy can reduce breast cancer risk by 90 percent, and a prophylactic hysterectomy with ovary removal can lower the risk of ovarian cancer by 96 percent and breast cancer by 50 percent.<br />&#8220;Nothing is 100 percent,&#8221; says Dr. Bryant, &#8220;But for someone who carries a BRCA mutation and takes these preventive measures, the risk of developing breast and ovarian cancer could actually be reduced to less than that of the general population.&#8221;<br />If you have any of the following risk factors for breast cancer, you should talk to a physician about genetic testing:<br />&#8226;\tBreast cancer in two or more relatives, or in a male relative;<br />&#8226;\tBreast cancer under age 50;<br />&#8226;\tBreast cancer in both breasts or twice in the same breast;<br />&#8226;\tAshkenazi or Eastern European<br />&#8226;\tJewish ancestry with breast or ovarian cancer at any age;<br />&#8226;\tOvarian cancer at any age; or<br />&#8226;\tBreast and ovarian cancer in the same person.</p>\r\n\r\n<p>Learn more about Dr. Kanesha Bryant and her philosophy of care by visiting http://bit.ly/vidbryant or go to http://bit.ly/pmgbreast to request an appointment with a Palos Medical Group Breast Surgeon.<br /></p>\n \n\t\t\t\t\t\t\t\t\t\t\t\n \n \n \n\t\t\t\t\t\t\t\t\n </div>\n <script type=\"text/javascript\">textSize()</script>\n </div>\n\n \n \n \n\n \n\n \n \n \n\t\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t\n <div id=\"subFooter\" class=\"clearfix\">\n \n \n \n </div>\n \n \n \r\n\r\n\r\n\r\n\n \n \n \n \n\n\n \n\n\n \n \n\t\t\t\t\t\t<div class=\"shareBtm\">\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\t\n\t\n\t\n\t\n\t\n\t\n\t\n\t\n\t\n\t\n\n\t\n\t\n\t\n\t\n\n\t\n\t\t\n\n\t\t\n\t\t\n\t\t\t<div class=\"nextgen-share-tools\">\n\t\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\t<ul class=\"nextgen-left\">\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t\t<li>\n\t\t\t\t\t\t\t\t<a href='/news/local/suburbs/orland_park_homer_glen/community/chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15,0,5501680,print.story' rel=\"nofollow\" title=\"print\" class=\"nextGenPrint\">\n\t\t\t\t\t\t\t\t\t<img src=\"/hive/images/icons/printicon_boxed.png\" alt=\"print\" class=\"icon\" />\n\t\t\t\t\t\t\t\t</a>\n\t\t\t\t\t\t\t</li>\n\t\t\t\t\t\t\n\t\t\t\t\t\n\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t</ul>\n\t\t\t\n\t\t\t\t<ul class=\"nextgen-right\">\n\t\t\t\t\n\t\t\t\t\t\n\n\t\t\t\t\t\t\n\n\t\t\t\t\t\t\n\n\t\t\t\t\t\t<li>\n\t\t\t\t\t\t <div id=\"componentDiv_bottom\"></div>\n\t\t\t\t\t\t \n\t\t\t\t\t\t \n\t\t\t\t\t\t <script>\n\t\t\t\t\t\t i$.require('http://cdn.gigya.com/js/socialize.js?apiKey=2_4_F4IdtCdvuR2rCu5QTvu9iyF7shgNflXt9OC9CZCGkdNBZxTv6bQxpYge4Mlva-', function() {\n\t\t\t\t\t\t var act = new gigya.socialize.UserAction(),\n\t\t\t\t\t\t showShareBarUI_params = { \n\t\t\t\t\t\t containerID: 'componentDiv_bottom',\n\t\t\t\t\t\t shareButtons: [{ provider:'Email'}, { provider:'Share'}, { provider:'twitter-tweet'}, { provider:'facebook-like', action:'recommend'}],\n\t\t\t\t\t\t userAction: act,\n\t\t\t\t\t\t moreEnabledProviders: 'facebook,email,pinterest,twitter,linkedin,tumblr,delicious,digg,blogger,google,stumbleupon,reddit'\n\t\t\t\t\t\t };\n\t\t\t\t\t\t act.setTitle(\"Palos Medical Group's Dr. Kanesha Bryant provides insight on genetic testing for breast cancer\");\n\t\t\t\t\t\t act.setLinkBack(\"http://www.chicagotribune.com/news/local/suburbs/orland_park_homer_glen/community/chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15,0,3152151.story\");\n\t\t\t\t\t\t act.setDescription(\"Angelina Jolie&#8217;s decision to have a double mastectomy sheds light on a weapon being used in the fight against breast cancer &#8211; BRACAnalysis genetic testing.\");\n \t\t\t\t\t\t\t\n\t\t\t\t\t\t gigya.socialize.showShareBarUI(showShareBarUI_params);\n\t\t\t\t\t\t });\n\t\t\t\t\t\t </script>\n\t\t\t\t\t\t</li>\n\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t<li>\n\t\t\t\t\t\t<g:plusone size=\"medium\"></g:plusone>\n\t\t\t\t\t\t\n\t\t\t\t\t\t<script type=\"text/javascript\">\n\t\t\t\t\t\t (function() {\n\t\t\t\t\t\t var po = document.createElement('script'); po.type = 'text/javascript'; po.async = true;\n\t\t\t\t\t\t po.src = 'https://apis.google.com/js/plusone.js';\n\t\t\t\t\t\t var s = document.getElementsByTagName('script')[0]; s.parentNode.insertBefore(po, s);\n\t\t\t\t\t\t })();\n\t\t\t\t\t\t</script>\n\t\t\t\t\t</li>\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\t</ul>\n\t\t\t\n\t\t\t\t<div class=\"clear\"></div>\n\t\t\t</div>\n\t\t\n\t\t\n\t\t\n\t\n\n</div>\n \n \n\n\n\n\n\n\n\n\n \n\n\n\n\n\n\n\n\n\n\n\n\n\n\n \n \n \n\n \n\n \n \n\n\n\n\n \n\n\n\n \n \n \n \n \n \n \n <img src=\"http://mv2.trb.com/clear.gif?dname=www.chicagotribune.com&uri=/news/local/suburbs/orland_park_homer_glen/community/chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15,0,3152151.story&tag=/news/local/suburbs/orland_park_homer_glen/community&citype=story&title=Palos%20Medical%20Group%27s%20Dr.%20Kanesha%20Bryant%20provides%20insight%20on%20genetic%20testing%20for%20breast%20cancer&tnurl=http://www.trbimg.com/img-5193e0cb/turbine/chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15/187/16x9&hkey=f9b26ec950f2ffce27f9049515b17477\" alt=\"\" height=\"10\" width=\"10\" />\n \n \n\n \n <div class=\"outbrainTools\">\n\n\n\n\n\n\n \n\n \n\n\t<div>\n\t <script type=\"text/javascript\" language=\"JavaScript\">\n\t var site=\"\";\n\t\tvar obt=\"tribune\";\n\t\tvar obwid = 'AR_1';\n\t\tvar obwidPhoto = 'AR_2'; \n\t\t\n\t\n\t\n\tsite = \"chicagotribune\";obwid = \"AR_3\";obwidPhoto = \"AR_3\"; \n\t\n\t\n\t\n\t\n\t\n\n\t\tif(obt==\"localtv\") {address=\"http://www.www.chicagotribune.com/news/local/suburbs/orland_park_homer_glen/community/chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15,0,3152151.story\";}\n\t\telse if(site==\"\") {address=document.location.href;}\n\t\telse {address=\"http://www.\"+site+\".com/news/local/suburbs/orland_park_homer_glen/community/chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15,0,3152151.story\";}\n\t\tvar OB_permalink= address;\n\t\tvar OB_widgetId= obwid;\n\t\tvar OB_Template = obt;\n\t\tvar OB_langJS ='http://widgets.outbrain.com/lang_en.js';\n\t\tif ( typeof(OB_Script)!='undefined' )\n\t\tOutbrainStart();\n\t\telse\n\t\t{\n\t\tvar OB_Script = true;\n\t\tvar str = \"<script src='http://widgets.outbrain.com/outbrainWidget.js' type='text/javascript'></\"+\"script>\"\n\t\tdocument.write(str);\n\t\t}\n\t </script> \n\t</div>\n \n\n \n<div class=\"fullSpan\">&nbsp;</div></div>\n \n \n \n\n \n \n \n\n\n\n\n\n\n\n\n\n\n\n\n\n \n\t\t\t\t\t\n \n \n\t\t\t\t\t<div id=\"gallery-subcontent\" class=\"module\">\n \n \n </div>\n\t\t\t\t\t\n \n\t\t\t\t\t\n \r\n \r\n\r\n\r\n\r\n\r\n\r\n\n \r\n\r\n\r\n \r\n\r\n\r\n\n </div>\n \n \n \n\n \n\n\n\n\n\n<div id=\"content-bottom\" class",
"=\"full\">\n \n \r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n<!-- P2P shared content module: pulling in contents of \"tribbit-content-leftbottom\" dropzone from 366, /about/sectionrails -->\r\n\n \n\n\n\n\n\n\n\n\n\n\n\n\n\n\n \n \n\n \n\n \n <div class=\"module blurb \">\n <style type=\"text/css\">\r\n\r\ndiv#circularhub_module_358 { clear: both; }\r\n\r\n</style>\r\n\r\n<div id=\"circularhub_module_358\"></div>\r\n<script src=\"http://api.flyertown.ca/358/8cafa3641a3e82e7/circularhub_module.js\"></script>\n </div>\n \n \n\t\t\t\n\t\t\t\n\t\t\t\n\t\t\t\t\t\t\n \n\n \n\n\r\n\n \n\n\n\n\n\n\n\n\n\n\n\n\n\n\n \n \n\n \n\n \n <div class=\"module blurb \">\n <style type=\"text/css\">\r\n #fb-comments-notice { clear: both; background: #fdfdc4; border: 1px solid #dddddd; padding: 16px 28px; margin: 0 0 25px 0; -moz-box-shadow: 0 1px 8px #eeeeee; -webkit-box-shadow: 0 1px 8px #eeeeee; -o-box-shadow: 0 1px 8px #eeeeee; box-shadow: 0 1px 8px #eeeeee; }\r\n #fb-comments-notice a { color: #005495; }\r\n #fb-comments-notice p { font-size: 14px; line-height: 20px; margin: 0; }\r\n</style>\r\n<script type=\"text/javascript\">\r\n window.add_facebook_comments = function() {\r\n\r\n var disclaimer = '<div id=\"fb-comments-notice\"><p>The Tribune is using Facebook comments on stories. To post a comment, log into Facebook and then add your comment. To report spam or abuse, click the \"X\" in the upper right corner of the comment box. In certain circumstances, we will take down entire comment boards. Our commenting guidelines can be found <a href=\"http://www.chicagotribune.com/about/chi-discussions-faq,0,980840.htmlstory\">here &raquo;</a>.</p> </div>';\r\n\r\n var fbml = disclaimer + '<fb:comments href=\"'\r\n + window.location.protocol\r\n + '//'\r\n + window.location.host\r\n + window.location.pathname\r\n + '\" num_posts=\"10\" width=\"620\"></fb:comments>';\r\n\r\n var keywords_elem = document.getElementsByName('Keywords')[0];\r\n if ( typeof keywords_elem != 'undefined') {\r\n if (!keywords_elem.getAttribute('content').match('nocomments'))\r\n document.write(fbml);\r\n } else { document.write(fbml); }\r\n}\r\n\r\nif ( jQuery('meta[property=\"fb:app_id\"]').length > 0 )\r\n window.add_facebook_comments();\r\n</script>\r\n\n </div>\n \n \n\t\t\t\n\t\t\t\n\t\t\t\n\t\t\t\t\t\t\n \n\n \n\n\r\n\r\n\r\n\r\n\n \n</div>\n\n </div>\n \n\n \n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n<div id=\"rail\" class=\"narrow\">\n\t\n\t<div class=\"clear\"></div>\n\t \n <table class=\"cubeAd\">\n \n \t<tr>\n \t\t<td id=\"rightrail_ad_td\" vAlign=\"middle\">\n \n <script language=\"JavaScript\" src=\"http://ad.doubleclick.net/adj/trb.chicagotribune/triblocal/orlandpark;rs=D70040;rs=D70074;rs=D70098;rs=D70105;rs=D70113;rs=D70010;rs=D70094;rs=D70620;rs=D70755;rs=D70758;rs=D72008;rs=B10210;rs=B0;;ptype=s;slug=chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15;rg=ur;pos=1;sz=300x250,336x280;tile=2;at=DiseasesandIllnesses;at=BreastCancer;at=MedicalProceduresandTests;at=OvarianCancer;at=Mammogram;iab=heal;iab=ent;u=ptype|s!pos|1!sz|300x250^336x280!asl|D70040^D70074^D70098^D70105^D70113^D70010^D70094^D70620^D70755^D70758^D72008^B10210^B0;ord=2708481?\" type=\"text/javascript\"></script>\n <noscript><a href=\"http://ad.doubleclick.net/jump/trb.chicagotribune/triblocal/orlandpark;rs=D70040;rs=D70074;rs=D70098;rs=D70105;rs=D70113;rs=D70010;rs=D70094;rs=D70620;rs=D70755;rs=D70758;rs=D72008;rs=B10210;rs=B0;;ptype=s;slug=chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15;rg=ur;pos=1;sz=300x250^336x280;tile=2;at=DiseasesandIllnesses;at=BreastCancer;at=MedicalProceduresandTests;at=OvarianCancer;at=Mammogram;iab=heal;iab=ent;u=ptype|s!pos|1!sz|300x250^336x280!asl|D70040^D70074^D70098^D70105^D70113^D70010^D70094^D70620^D70755^D70758^D72008^B10210^B0;ord=2708481?\" target=\"_blank\" rel=\"nofollow\"><img src=\"http://ad.doubleclick.net/ad/trb.chicagotribune/triblocal/orlandpark;rs=D70040;rs=D70074;rs=D70098;rs=D70105;rs=D70113;rs=D70010;rs=D70094;rs=D70620;rs=D70755;rs=D70758;rs=D72008;rs=B10210;rs=B0;;ptype=s;slug=chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15;rg=ur;pos=1;sz=300x250^336x280;tile=2;at=DiseasesandIllnesses;at=BreastCancer;at=MedicalProceduresandTests;at=OvarianCancer;at=Mammogram;iab=heal;iab=ent;u=ptype|s!pos|1!sz|300x250^336x280!asl|D70040^D70074^D70098^D70105^D70113^D70010^D70094^D70620^D70755^D70758^D72008^B10210^B0;ord=2708481?\" width=\"336\" height=\"280\" border=\"0\" alt=\"\"></a></noscript>\n \n </td>\n\t\t</tr>\n </table>\n\t\n \n \n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n \n\n\n\n\n\n\n\n \n\n\n \n\n\n\n<div class=\"module headlines defaultHeadlines headColumn1 \" style=\";\">\n <div class=\"curvedTop\">\n <div class=\"openCurve\"></div>\n <div class=\"curvedContent\">\n \n <div class=\"titleContainer\"><h2 class=\"title \"><a href=\"http://community.chicagotribune.com\" target=\"_top\" name=\"From the community\">From the community</a></h2></div>\n \n\n \n\n \n \n <div class=\"headlineItem rightHeadlinePos briefRight \">\n \n <a href=\"http://community.chicagotribune.com/\" target=\"_top\"><img src=\"http://www.trbimg.com/img-511e7f02/turbine/chi-share-stories-and-photos-with-triblocal-20130215/187/187x105\" alt=\"Share your stories, photos and events with TribLocal.\" width=\"187\" height=\"105\" class=\"headlineThumb\" title=\"Share your stories, photos and events with TribLocal.\" /></a>\n <h2 class=\"headline \"><a href=\"http://community.chicagotribune.com/\" target=\"_top\" title=\"Share your stories, photos and events with TribLocal.\">Share your stories, photos and events with TribLocal.</a></h2>\n \n\n \n\n \n <span class=\"update-source\">\n \n \n </span>\n \n \n \n \n \n \n <div class=\"clear\"></div>\n </div>\n \n\n\n <div class=\"clear\"></div>\n \n <div class=\"clear\"></div>\n </div>\n </div>\n <div class=\"curvedBottom\">\n <div></div>\n </div>\n</div>\n\n \n \n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n \n\n\n\n\n\n\n\n \n\n\n \n\n\n\n<div class=\"module headlines defaultHeadlines headColumn1 \" style=\";\">\n <div class=\"curvedTop\">\n <div class=\"openCurve\"></div>\n <div class=\"curvedContent\">\n \n <div class=\"titleContainer\"><h2 class=\"title \"><a href=\"/news/local/suburbs/orland_park_homer_glen/community\" target=\"_top\" name=\"Latest community articles\">Latest community articles</a></h2></div>\n \n\n \n\n \n \n <div class=\"headlineItem rightHeadlinePos inLine briefRight \">\n \n \n <h2 class=\"headline \"><a href=\"/news/local/suburbs/orland_park_homer_glen/community/chi-ugc-article-orland-park-boy-scout-troop-383-celebrates-hi-2013-05-28,0,3814372.story\" target=\"_top\" title=\"Orland Park Boy Scout Troop 383 Celebrates Historical Advancements\">Orland Park Boy Scout Troop 383 Celebrates Historical Advancements</a></h2>\n \n\n \n\n \n <span class=\"update-source\">\n \n <span>\n \n \n\n\n\n\n\n\n\n\n\n\n \n </span>\n \n \n </span>\n \n \n \n \n \n \n <div class=\"clear\"></div>\n </div>\n \n <div class=\"headlineItem rightHeadlinePos inLine briefRight \">\n \n \n <h3 class=\"headline \"><a href=\"/news/local/suburbs/orland_park_homer_glen/community/chi-ugc-article-lemonts-chris-giatras-to-play-football-at-au-2013-05-24,0,2330216.story\" target=\"_top\" title=\"Lemont&amp;#8217;s Chris Giatras to play football at Augustana College\">Lemont&#8217;s Chris Giatras to play football at Augustana College</a></h3>\n \n\n \n\n \n <span class=\"update-source\">\n \n <span>\n \n \n\n\n\n\n\n\n\n\n\n\n \n </span>\n \n \n </span>\n \n \n \n \n \n \n <div class=\"clear\"></div>\n </div>\n \n <div class=\"headlineItem rightHeadlinePos inLine briefRight \">\n \n \n <h4 class=\"headline \"><a href=\"/news/local/suburbs/orland_park_homer_glen/community/chi-ugc-article-lemonts-nick-urban-again-finishes-among-top-2013-05-24,0,4372410.story\" target=\"_top\" title=\"Lemont&amp;#8217;s Nick Urban again finishes among top 32 at IHSA Boys&amp;#8217; Tennis State Finals\">Lemont&#8217;s Nick Urban again finishes among top 32 at IHSA Boys&#8217; Tennis State Finals</a></h4>\n \n\n \n\n \n <span class=\"update-source\">\n \n <span>\n \n \n\n\n\n\n\n\n\n\n\n\n \n </span>\n \n \n </span>\n \n \n \n \n \n \n <div class=\"clear\"></div>\n </div>\n \n\n\n <div class=\"clear\"></div>\n \n <div class=\"clear\"></div>\n </div>\n </div>\n <div class=\"curvedBottom\">\n <div></div>\n </div>\n</div>\n\n \n \r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n<h2 class=\"sectiontitle \" style=\"\">Photos from the community</h2>\r\n\r\n\r\n\r\n\r\n\r\n\r\n <div class=\"clear\"></div>\r\n\r\n\r\n\n \n \n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n \n\n\n\n\n\n\n\n \n\n\n \n\n\n\n<div class=\"module headlines defaultHeadlines headColumn1 noHeadlineBGImage\" style=\";\">\n <div class=\"curvedTop\">\n <div class=\"openCurve\"></div>\n <div class=\"curvedContent\">\n \n\n \n\n \n \n <div class=\"headlineItem rightHeadlinePos briefRight \">\n \n <a href=\"/news/local/suburbs/orland_park_homer_glen/community/chi-ugc-orland-park-homer-glen-community-photos-20130123,0,4729425.photogallery\" target=\"_top\"><img src=\"http://www.trbimg.com/img-5183ecf2/turbine/chi-ugc-orland-park-homer-glen-community-photos-20130123/399/399x225\" alt=\"Your photos: Orland Park and Homer Glen\" width=\"399\" height=\"225\" class=\"headlineThumb\" title=\"Your photos: Orland Park and Homer Glen\" /></a>\n <h2 class=\"headline \"><a href=\"/news/local/suburbs/orland_park_homer_glen/community/chi-ugc-orland-park-homer-glen-community-photos-20130123,0,4729425.photogallery\" target=\"_top\" title=\"Your photos: Orland Park and Homer Glen\">Your photos: Orland Park and Homer Glen</a></h2>\n \n\n \n\n \n <span class=\"update-source\">\n \n \n </span>\n \n \n \n \n \n \n <div class=\"clear\"></div>\n </div>\n \n\n\n <div class=\"clear\"></div>\n \n <div class=\"clear\"></div>\n </div>\n </div>\n <div class=\"curvedBottom\">\n <div></div>\n </div>\n</div>\n\n \n \n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n \n\n\n\n\n\n\n\n \n\n\n \n\n\n\n<div class=\"module headlines defaultHeadlines headColumn1 noHeadlineBGImage\" style=\";\">\n <div class=\"curvedTop\">\n <div class=\"openCurve\"></div>\n <div class=\"curvedContent\">\n \n\n \n\n \n \n <div class=\"headlineItem rightHeadlinePos inLine briefBelow \">\n \n <a href=\"/news/local/suburbs/community/chi-ugc-photos-of-pets-20130115,0,7185971.photogallery\" target=\"_top\"><img src=\"http://www.trbimg.com/img-519f6843/turbine/chi-ugc-photos-of-pets-20130115/187/187x105\" alt=\"Your photos: Pets across Chicagoland\" width=\"187\" height=\"105\" class=\"headlineThumb\" title=\"Your photos: Pets across Chicagoland\" /></a>\n <h2 class=\"headline \"><a href=\"/news/local/suburbs/community/chi-ugc-photos-of-pets-20130115,0,7185971.photogallery\" target=\"_top\" title=\"Your photos: Pets\">Your photos: Pets</a></h2>\n \n\n \n\n \n <span class=\"update-source\">\n \n <span>\n \n \n\n\n\n\n\n\n\n\n\n\n \n </span>\n \n \n </span>\n \n \n \n \n \n \n <div class=\"clear\"></div>\n </div>\n \n <div class=\"headlineItem rightHeadlinePos inLine briefBelow \">\n \n <a href=\"/features/chi-chicago-tribune-photo-challenge,0,1637728.story\" target=\"_top\"><img src=\"http://www.trbimg.com/img-51965fac/turbine/chi-chicago-tribune-photo-challenge/186/186x105\" alt=\"Chicago Tribune photo challenge\" width=\"186\" height=\"105\" class=\"headlineThumb\" title=\"Chicago Tribune photo challenge\" /></a>\n <h3 class=\"headline \"><a href=\"/features/chi-chicago-tribune-photo-challenge,0,1637728.story\" target=\"_top\" title=\"Photo challenge: Flowers\">Photo challenge: Flowers</a></h3>\n \n\n \n\n \n <span class=\"update-source\">\n \n <span>\n \n \n\n\n\n\n\n\n\n\n\n\n \n </span>\n \n \n </span>\n \n \n \n \n \n \n <div class=\"clear\"></div>\n </div>\n \n <div class=\"headlineItem rightHeadlinePos inLine briefBelow \">\n \n <a href=\"/news/local/suburbs/community/chi-ugc-backyard-wildlife-photos-20130412,0,2440684.photogallery\" target=\"_top\"><img src=\"http://www.trbimg.com/img-519cdabd/turbine/chi-ugc-backyard-wildlife-photos-20130412/187/187x105\" alt=\"Your photos: Backyard wildlife\" width=\"187\" height=\"105\" class=\"headlineThumb\" title=\"Your photos: Backyard wildlife\" /></a>\n <h3 class=\"headline \"><a href=\"/news/local/suburbs/community/chi-ugc-backyard-wildlife-photos-20130412,0,2440684.photogallery\" target=\"_top\" title=\"Your photos: Backyard wildlife\">Your photos: Backyard wildlife</a></h3>\n \n\n \n\n \n <span class=\"update-source\">\n \n <span>\n \n \n\n\n\n\n\n\n\n\n\n\n \n </span>\n \n \n </span>\n \n \n \n \n \n \n <div class=\"clear\"></div>\n </div>\n \n <div class=\"headlineItem rightHeadlinePos inLine briefBelow \">\n \n <a href=\"/news/local/suburbs/community/chi-ugc-youth-sports-suburbs-20130115,0,5684283.photogallery\" target=\"_top\"><img src=\"http://www.trbimg.com/img-51965ff0/turbine/chi-ugc-youth-sports-suburbs-20130115/187/187x105\" alt=\"Your photos: Youth sports in Chicagoland\" width=\"187\" height=\"105\" class=\"headlineThumb\" title=\"Your photos: Youth sports in Chicagoland\" /></a>\n <h3 class=\"headline \"><a href=\"/news/local/suburbs/community/chi-ugc-youth-sports-suburbs-20130115,0,5684283.photogallery\" target=\"_top\" title=\"Your photos: Youth sports\">Your photos: Youth sports</a></h3>\n \n\n \n\n \n <span class=\"update-source\">\n \n <span>\n \n \n\n\n\n\n\n\n\n\n\n\n \n </span>\n \n \n </span>\n \n \n \n \n \n \n <div class=\"clear\"></div>\n </div>\n \n <div class=\"headlineItem rightHeadlinePos inLine briefBelow \">\n \n <a href=\"/news/local/suburbs/community/chi-ugc-suburban-school-photos-20130115,0,7641092.photogallery\" target=\"_top\"><img src=\"http://www.trbimg.com/img-51965f68/turbine/chi-ugc-suburban-school-photos-20130115/186/186x105\" alt=\"Your photos: Chicagoland schools\" width=\"186\" height=\"105\" class=\"headlineThumb\" title=\"Your photos: Chicagoland schools\" /></a>\n <h4 class=\"headline \"><a href=\"/news/local/suburbs/community/chi-ugc-suburban-school-photos-20130115,0,7641092.photogallery\" target=\"_top\" title=\"Your school photos\">Your school photos</a></h4>\n \n\n \n\n \n <span class=\"update-source\">\n \n <span>\n \n \n\n\n\n\n\n\n\n\n\n\n \n </span>\n \n \n </span>\n \n \n \n \n \n \n <div class=\"clear\"></div>\n </div>\n \n\n\n <div class=\"clear\"></div>\n \n <div class=\"clear\"></div>\n </div>\n </div>\n <div class=\"curvedBottom\">\n <div></div>\n </div>\n</div>\n\n \n \n \n \n\t \n\t\t<div class=\"skyScraper\">\n \t\t\n <script language=\"JavaScript\" src=\"http://ad.doubleclick.net/adj/trb.chicagotribune/triblocal/orlandpark;rs=D70040;rs=D70074;rs=D70098;rs=D70105;rs=D70113;rs=D70010;rs=D70094;rs=D70620;rs=D70755;rs=D70758;rs=D72008;rs=B10210;rs=B0;;ptype=s;slug=chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15;rg=ur;pos=1;sz=160x600,300x600;tile=3;at=DiseasesandIllnesses;at=BreastCancer;at=MedicalProceduresandTests;at=OvarianCancer;at=Mammogram;iab=heal;iab=ent;u=ptype|s!pos|1!sz|160x600^300x600!asl|D70040^D70074^D70098^D70105^D70113^D70010^D70094^D70620^D70755^D70758^D72008^B10210^B0;ord=2708481?\" type=\"text/javascript\"></script>\n <noscript><a href=\"http://ad.doubleclick.net/jump/trb.chicagotribune/triblocal/orlandpark;rs=D70040;rs=D70074;rs=D70098;rs=D70105;rs=D70113;rs=D70010;rs=D70094;rs=D70620;rs=D70755;rs=D70758;rs=D72008;rs=B10210;rs=B0;;ptype=s;slug=chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15;rg=ur;pos=1;sz=160x600^300x600;tile=3;at=DiseasesandIllnesses;at=BreastCancer;at=MedicalProceduresandTests;at=OvarianCancer;at=Mammogram;iab=heal;iab=ent;u=ptype|s!pos|1!sz|160x600^300x600!asl|D70040^D70074^D70098^D70105^D70113^D70010^D70094^D70620^D70755^D70758^D72008^B10210^B0;ord=2708481?\" target=\"_blank\" rel=\"nofollow\"><img src=\"http://ad.doubleclick.net/ad/trb.chicagotribune/triblocal/orlandpark;rs=D70040;rs=D70074;rs=D70098;rs=D70105;rs=D70113;rs=D70010;rs=D70094;rs=D70620;rs=D70755;rs=D70758;rs=D72008;rs=B10210;rs=B0;;ptype=s;slug=chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15;rg=ur;pos=1;sz=160x600^300x600;tile=3;at=DiseasesandIllnesses;at=BreastCancer;at=MedicalProceduresandTests;at=OvarianCancer;at=Mammogram;iab=heal;iab=ent;u=ptype|s!pos|1!sz|160x600^300x600!asl|D70040^D70074^D70098^D70105^D70113^D70010^D70094^D70620^D70755^D70758^D72008^B10210^B0;ord=2708481?\" width=\"300\" height=\"600\" border=\"0\" alt=\"\"></a></noscript>\n \t\t\n \t</div>\n \n \n \n\n\n\n\n\n\n\n\n\n\n\n\n\n\n \n \n\n \n\n \n <div class=\"module blurb \">\n <iframe src=\"http://www.facebook.com/plugins/likebox.php?href=http%3A%2F%2Fwww.facebook.com%2FTribLocal&amp;width=300&amp;connections=10&amp;stream=false&amp;header=true&amp;height=287\" scrolling=\"no\" frameborder=\"0\" style=\"border:none; overflow:hidden; width:300px; height:287px;\" allowtransparency=\"true\"></iframe>\n\n </div>\n \n \n\t\t\t\n\t\t\t\n\t\t\t\n\t\t\t\t\t\t\n \n\n \n\n\n \n</div>\n\n\n\n \n <div class=\"clear-extend\"></div>\n</div> <!-- closes content-rail-wrapper -->\n\n\n\n\n\n\n\n\n\n\n \n\r\n\n\n\n\n\n\n\n \n\n\n\n\n\n\n\n\n\n\n \n \n <div id=\"contentBottom\">\n \n \r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n<!-- P2P shared content module: pulling in contents of \"tribbit-content-bottom\" dropzone from 366, /about/sectionrails -->\r\n\r\n\r\n\r\n\n \n </div>\n \n <div class=\"ad centerAd\"> \n \n <script language=\"JavaScript\" src=\"http://ad.doubleclick.net/adj/trb.chicagotribune/triblocal/orlandpark;rs=D70040;rs=D70074;rs=D70098;rs=D70105;rs=D70113;rs=D70010;rs=D70094;rs=D70620;rs=D70755;rs=D70758;rs=D72008;rs=B10210;rs=B0;;ptype=s;slug=chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15;rg=ur;pos=B;sz=728x91;tile=4;at=DiseasesandIllnesses;at=BreastCancer;at=MedicalProceduresandTests;at=OvarianCancer;at=Mammogram;iab=heal;iab=ent;u=ptype|s!pos|B!sz|728x91!asl|D70040^D70074^D70098^D70105^D70113^D70010^D70094^D70620^D70755^D70758^D72008^B10210^B0;ord=2708481?\" type=\"text/javascript\"></script>\n <noscript><a href=\"http://ad.doubleclick.net/jump/trb.chicagotribune/triblocal/orlandpark;rs=D70040;rs=D70074;rs=D70098;rs=D70105;rs=D70113;rs=D70010;rs=D70094;rs=D70620;rs=D70755;rs=D70758;rs=D72008;rs=B10210;rs=B0;;ptype=s;slug=chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15;rg=ur;pos=B;sz=728x91;tile=4;at=DiseasesandIllnesses;at=BreastCancer;at=MedicalProceduresandTests;at=OvarianCancer;at=Mammogram;iab=heal;iab=ent;u=ptype|s!pos|B!sz|728x91!asl|D70040^D70074^D70098^D70105^D70113^D70010^D70094^D70620^D70755^D70758^D72008^B10210^B0;ord=2708481?\" target=\"_blank\" rel=\"nofollow\"><img src=\"http://ad.doubleclick.net/ad/trb.chicagotribune/triblocal/orlandpark;rs=D70040;rs=D70074;rs=D70098;rs=D70105;rs=D70113;rs=D70010;rs=D70094;rs=D70620;rs=D70755;rs=D70758;rs=D72008;rs=B10210;rs=B0;;ptype=s;slug=chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15;rg=ur;pos=B;sz=728x91;tile=4;at=DiseasesandIllnesses;at=BreastCancer;at=MedicalProceduresandTests;at=OvarianCancer;at=Mammogram;iab=heal;iab=ent;u=ptype|s!pos|B!sz|728x91!asl|D70040^D70074^D70098^D70105^D70113^D70010^D70094^D70620^D70755^D70758^D72008^B10210^B0;ord=2708481?\" width=\"728\" height=\"91\" border=\"0\" alt=\"\"></a></noscript> \n \n </div> \n\n \n \n\n\n\n\n\n\n \n\n\n \n\n\n \n\n \n\n\n\n\n\n\n<script type='text/javascript'>\nvar _sf_async_config={};\n/** CONFIGURATION START **/\n_sf_async_config.uid = 32297;\n_sf_async_config.domain = 'www.chicagotribune.com';\n\n\n_sf_async_config.sections = 'news,local,suburbs,orland_park_homer_glen,community';\n\n\n_sf_async_config.authors = 'By paloscommunityhospital, <a href=\"http://community.chicagotribune.com/\">Community Contributor</a>';\n/** CONFIGURATION END **/\n(function(){\nfunction loadChartbeat() { window._sf_endpt=(new Date()).getTime(); var e = document.createElement('script'); e.setAttribute('language', 'javascript'); e.setAttribute('type', 'text/javascript'); e.setAttribute('src', (('https:' == document.location.protocol) ? 'https://a248.e.akamai.net/chartbeat.download.akamai.com/102508/' : 'http://static.chartbeat.com/') + 'js/chartbeat.js'); document.body.appendChild(e); }\nvar oldonload = window.onload;\nwindow.onload = (typeof window.onload != 'function') ?\nloadChartbeat : function() { oldonload(); loadChartbeat(); };\n})();\n</script>\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n \n\n\n\n\n\n\n\n\n<div id=\"footer\">\n <div id=\"siteOverview\">\r\n <ul class=\"siteOverview-main\">\r\n <li>\r\n <a href=\"https://myaccount2.chicagotribune.com/\" class=\"mainNav\" target=\"_parent\">Manage Subscription</a>\r\n \r\n </li>\r\n </ul>\r\n \r\n \r\n \r\n <ul class=\"siteOverview-main\">\r\n <li>\r\n <a href=\"https://myaccount2.chicagotribune.com/dssSubscribe.aspx?pid=125\" class=\"mainNav\" target=\"_parent\">Home delivery</a>\r\n \r\n </li>\r\n </ul>\r\n \r\n \r\n \r\n <ul class=\"siteOverview-main\">\r\n <li>\r\n <a href=\"http://www.chicagotribune.com/advertiser/\" class=\"mainNav\" target=\"_blank\">Place an Ad</a>\r\n \r\n </li>\r\n </ul>\r\n \r\n \r\n \r\n <ul class=\"siteOverview-main\">\r\n <li>\r\n <a href=\"http://www.chicagotribune.com/services/site/connect\" class=\"mainNav\" target=\"_parent\">Connect With Us</a>\r\n \r\n </li>\r\n </ul>\r\n \r\n \r\n \r\n <ul class=\"siteOverview-main\">\r\n <li>\r\n <a href=\"http://www.chicagotribune.com/services/site/map\" class=\"mainNav\" target=\"_parent\">Site Index</a>\r\n \r\n </li>\r\n </ul>\r\n \r\n \r\n \r\n <ul class=\"siteOverview-main\">\r\n <li>\r\n <a href=\"http://touch.chicagotribune.com\" class=\"mainNav\" target=\"_parent\">Mobile</a>\r\n \r\n </li>\r\n </ul>\r\n <div class=\"clear\"></div>\r\n</div>\n <div id=\"footerContainer\">\n <div id=\"footerlogo\">\n \n <a href=\"/\">\n \n <img src=\"http://www.chicagotribune.com/media/graphic/2010-06/46895467.png\" alt=\"footer graph\" width=\"280\" height=\"43\" id=\"siteFooter\" title=\"footer graph\" />\n </a>\n </div>\n <div id=\"footertext\">\n <ul>\n <li class=\"nav\">\n \n \n \n <ul class=\"links\">\n\n \n \n\n \n <li id=\"footer-item-1\" class=\"firstMenuItem\"><a href=\"http://www.chicagotribune.com/tos/\" rel=\"nofollow\" target=\"_parent\">Terms of Service</a></li>\n \n \n \n \n \n \n \n \n \n \n <li id=\"footer-item-2\" class=\"\"><a href=\"http://privacy.tribune.com\" target=\"_blank\">Privacy Policy</a></li>\n \n \n \n \n \n \n \n \n \n <li id=\"footer-item-3\" ><a href=\"/chi-about-our-ads,0,5159738.htmlstory\" target=\"_parent\">About Our Ads</a></li>\n \n \n \n \n \n \n \n \n \n \n \n <li id=\"footer-item-4\" class=\"lastMenuItem\"><a href=\"http://maps.google.com/maps?q=435+N.+Michigan+Ave.,+Chicago,+IL+60611&hl=en&ll=41.891384,-87.623692&spn=0.008338,0.01929&sll=37.0625,-95.677068&sspn=36.315864,79.013672&vpsrc=1&hnear=435+N+Michigan+Ave,+Chicago,+Illinois+60611&t=h&z=16\" target=\"_blank\">Chicago Tribune, 435 N. Michigan Ave., Chicago, IL 60611</a></li>\n </ul>\n \n \n \n </li>\n \n <li>\n \n </li>\n </ul>\n </div>\n <div class=\"clear\"></div>\n \n <div class=\"family\">\n <a href=\"http://www.tribune.com/\" target=\"_parent\">A Tribune Newspaper website</a>\n </div>\n \n</div>\n</div>\n\n\n <div id=\"inlineHeaderAd\" style=\"position:absolute; top: 35px; right: 10px; height: 64px;\">\n <script language=\"JavaScript\" src=\"http://ad.doubleclick.net/adj/trb.chicagotribune/triblocal/orlandpark;rs=D70040;rs=D70074;rs=D70098;rs=D70105;rs=D70113;rs=D70010;rs=D70094;rs=D70620;rs=D70755;rs=D70758;rs=D72008;rs=B10210;rs=B0;;ptype=s;slug=chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15;rg=ur;pos=1;sz=234x60;tile=5;at=DiseasesandIllnesses;at=BreastCancer;at=MedicalProceduresandTests;at=OvarianCancer;at=Mammogram;iab=heal;iab=ent;u=ptype|s!pos|1!sz|234x60!asl|D70040^D70074^D70098^D70105^D70113^D70010^D70094^D70620^D70755^D70758^D72008^B10210^B0;ord=2708481?\" type=\"text/javascript\"></script>\n <noscript><a href=\"http://ad.doubleclick.net/jump/trb.chicagotribune/triblocal/orlandpark;rs=D70040;rs=D70074;rs=D70098;rs=D70105;rs=D70113;rs=D70010;rs=D70094;rs=D70620;rs=D70755;rs=D70758;rs=D72008;rs=B10210;rs=B0;;ptype=s;slug=chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15;rg=ur;pos=1;sz=234x60;tile=5;at=DiseasesandIllnesses;at=BreastCancer;at=MedicalProceduresandTests;at=OvarianCancer;at=Mammogram;iab=heal;iab=ent;u=ptype|s!pos|1!sz|234x60!asl|D70040^D70074^D70098^D70105^D70113^D70010^D70094^D70620^D70755^D70758^D72008^B10210^B0;ord=2708481?\" target=\"_blank\" rel=\"nofollow\"><img src=\"http://ad.doubleclick.net/ad/trb.chicagotribune/triblocal/orlandpark;rs=D70040;rs=D70074;rs=D70098;rs=D70105;rs=D70113;rs=D70010;rs=D70094;rs=D70620;rs=D70755;rs=D70758;rs=D72008;rs=B10210;rs=B0;;ptype=s;slug=chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15;rg=ur;pos=1;sz=234x60;tile=5;at=DiseasesandIllnesses;at=BreastCancer;at=MedicalProceduresandTests;at=OvarianCancer;at=Mammogram;iab=heal;iab=ent;u=ptype|s!pos|1!sz|234x60!asl|D70040^D70074^D70098^D70105^D70113^D70010^D70094^D70620^D70755^D70758^D72008^B10210^B0;ord=2708481?\" width=\"234\" height=\"60\" border=\"0\" alt=\"\"></a></noscript>\n </div>\n\n\n\n\n\n\n\n \r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n \r\n\r\n\r\n\r\n\r\n\r\n \n\n\n\n\n\n\n\n\n\n\n\n\n\n \n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n<script language=\"JavaScript\">\n\n var s_account = \"tribglobal\";\n</script>\n\n\n \n\t\t\n\n \n \n\n \n\n\n\n\n\n\n\n\n\n\n \n\n<!-- START OMNITURE // hive:metrics-tribune -->\n<!-- SiteCatalyst code version: H.1.\nCopyright 1997-2005 Omniture, Inc. More info available at\nhttp://www.omniture.com -->\n\n\n \n\n\n<script type=\"text/javascript\">adblock=true;</script>\n<script type=\"text/javascript\" src=\"/hive/javascripts/metrics/adframe.js\"></script>\n<script type=\"text/javascript\" src=\"/hive/javascripts/metrics/s_code_trb.js\"></script>\n\n\n<script language=\"JavaScript\">\n\n\n\t\t\t\t\ts.pageName=\"Palos Medical Group s Dr. Kanesha Bryant provides - Chicago Tribune / news / local / subur - story.\"; \n\t\t\t\t\n\t\t\t\ts.prop38=\"story\";\n\t\t\t\ts.eVar21=\"story\";\n\n\t\t\t\t\n\n\t\t\t\n\t\t\n\t\t\n\t\t\n\t\n\ts.server=\"www.chicagotribune.com\"; \n\t s.channel=\"Chicago Tribune:news\";\n\ns.prop3=\"\";\n\n( function(){\n\tif( window.registration && window.registration.user && window.registration.user.isLoggedIn()){\n\t\ts.prop28 = registration.getMetricsId();\n\t}\telse if ( window.carnival ) {\n \t\tvar carnival_username_c_unm = readCookie('c_unm');\n \t\tvar carnival_masterid_c_mid = carnival.metrics.getMetricsId();\n \t\tif( carnival_username_c_unm!=null && carnival_masterid_c_mid ){\n \t\t\ts.prop28 = carnival_masterid_c_mid;\n \t\t}\n }\n\n \tif( !s.prop28 ){\n \t\ts.prop28 = \"\"; \n \t}\n})();\n\ns.prop32=\"\";\n \ns.prop36=\"Page 1\";\n\n\n/* Taxonomy Variables */\ns.prop46=\"BreastCancer\";\n\n/* E-commerce Variables */\ns.events=\"\"; \n\n\n/* P2P blog variables */\n\n\ts.prop52=s.pageName;\n\n\ns.eVar20=\"Chicago Tribune\";\n\n\ts.hier1=\"Chicago Tribune:news:local:suburbs:orland_park_homer_glen:community\"; \n\t\ts.hier2=\"news:local:suburbs:orland_park_homer_glen:community\";\n\t\ts.hier4=\"news:local:suburbs:orland_park_homer_glen:community\";\n\t\n\t\n \n s.eVar42=\"By paloscommunityhospital, Community Contributor\";\n\ts.prop44=\"chi-ugc-article-palos-medical-groups-dr-kanesha-bryant-prov-2-2013-05-15\";\n\nif(adblock)\n{\n\ts.prop54=\"ad blocking\";\n}\n\n\ns.prop64=\"05/15/2013 14:22\";\n\n/************* DO NOT ALTER ANYTHING BELOW THIS LINE ! **************/\nvar s_code=s.t();if(s_code)document.write(s_code) \n--> \n</script>\n<script language=\"JavaScript\"><!--\nif(navigator.appVersion.indexOf('MSIE')>=0)document.write(unescape('%3C')+'\\!-'+'-')\n//--></script><!--/DO NOT REMOVE/-->\n<!-- End SiteCatalyst code version: H.1. -->\n\n\n\n\n\r\n\r\n\r\n\r\n\r\n\r\n\r\n<!-- START REVENUE SCIENCE PIXELLING CODE -->\r\n<script src=\"http://js.revsci.net/gateway/gw.js?csid=B08725\"></script>\r\n<script>\r\nDM_addEncToLoc(\"Site\", (s.server));\r\nDM_addEncToLoc(\"channel\", (s.channel));\r\nDM_addEncToLoc(\"keyword\", (s.prop3));\r\nDM_cat(s.hier1);\r\nDM_tag();\r\n</script>\r\n<!-- END REVENUE SCIENCE PIXELLING CODE -->\r\n\n\n\n\n<script type=\"text/javascript\">\n (function() { \n\t var old = s.ot; \n\t s.ot = function(el) { \n\t return el.tagUrn ? '' : old(el); \n\t }; \n\t})(); \n</script>\r\n\r\n\r\n\r\n\r\n<!-- Time: Tue May 28 13:00:34 PDT 2013-->\r\n\n\n\n\n </div>\n \n \n \r\n\r\n\r\n<!-- START Nielsen Online SiteCensus V6.0 -->\r\n<!-- COPYRIGHT 2010 Nielsen Online -->\r\n<script type=\"text/javascript\">\r\n (function () {\r\n var d = new Image(1, 1);\r\n d.onerror = d.onload = function () {\r\n d.onerror = d.onload = null;\r\n };\r\n d.src = [\"//secure-us.imrworldwide.com/cgi-bin/m?ci=us-400338h&cg=0&cc=1&si=\", escape(window.location.href), \"&rp=\", escape(document.referrer), \"&ts=compact&rnd=\", (new Date()).getTime()].join('');\r\n })();\r\n</script>\r\n<noscript>\r\n <div>\r\n <img src=\"//secure-us.imrworldwide.com/cgi-bin/m?ci=us-400338h&amp;cg=0&amp;cc=1&amp;ts=noscript\"\r\n width=\"1\" height=\"1\" alt=\"\" />\r\n </div>\r\n</noscript>\r\n<!-- END Nielsen Online SiteCensus V6.0 -->\r\n\n \r\n \r\n\r\n \r\n\r\n\r\n\r\n\r\n \r\n\n \n \n\n \n\n\n \n\n \n \n\n \n\n\n\n<script type=\"text/javascript\">\n\n var _gaq = _gaq || [];\n _gaq.push(['_setAccount', 'UA-6459251-3']);\n _gaq.push(['_setDomainName', 'none']);\n _gaq.push(['_setAllowLinker', true]);\n _gaq.push(['_trackPageview']);\n\n (function() {\n var ga = document.createElement('script'); ga.type = 'text/javascript'; ga.async = true;\n ga.src = ('https:' == document.location.protocol ? 'https://ssl' : 'http://www') + '.google-analytics.com/ga.js';\n var s = document.getElementsByTagName('script')[0]; s.parentNode.insertBefore(ga, s);\n })();\n\n</script> \n \n\n\n \n \n \n \n \n\n \n \n <script src=\"http://widget.perfectmarket.com/chicagotribune/load.js\"></script>\n \n\n \n </body>\n</html>\r\n<!--x-Instance-Name: i9latisrapp02-->"
],
[
"<!--[if !IE]> This has NOT been served from cache <![endif]-->\n<!--[if !IE]> Request served from apache server: S264630NJ2XSF01 <![endif]-->\n<!--[if !IE]> token: bd8196cc-5109-4f20-b81b-129ced857ac1 <![endif]-->\n<!--[if !IE]> App Server /S264630NJ2XSF48/ <![endif]-->\r\n\r\n\r\n<!DOCTYPE html PUBLIC \"-//W3C//DTD XHTML 1.0 Transitional//EN\"\r\n \"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd\">\r\n<html xmlns=\"http://www.w3.org/1999/xhtml\">\r\n<head>\r\n\t<script type=\"text/javascript\" src=\"//nexus.ensighten.com/reuters/Bootstrap.js\"></script>\r\n\r\n<title>\r\n U.S. sets $1 billion healthcare innovation initiative\n| Reuters\n\n</title>\r\n\t\t<meta name=\"DCSext.ChannelList\" content=\"newsOne;politicsNews;healthNews;Honda;treasuryMarkets;JPMorgan;jpGambaroPeople;trending-hp;samsung;newsproHome;ernstyoung\">\r\n\r\n\r\n<META name=\"description\" content=\"WASHINGTON (Reuters) - The Obama administration on Wednesday announced a $1 billion initiative to fund innovations in federal healthcare programs aimed at cutting costs while improving the health results.The\">\r\n\t <META name=\"keywords\" content=\"United States, Barack Obama, Jason Reed\">\r\n<META name=\"REVISION_DATE\" content=\"Wed May 15 19:27:01 UTC 2013\">\r\n\r\n<META name=\"DCSext.Comments\" content=\"1\">\r\n<META property=\"og:title\" content=\"U.S. sets $1 billion healthcare innovation initiative\" />\r\n<META property=\"og:type\" content=\"article\" />\r\n<META property=\"og:site_name\" content=\"Reuters\" />\r\n<META property=\"og:url\" content=\"http://www.reuters.com/article/2013/05/15/us-usa-healthcare-innovation-idUSBRE94E0P320130515\" />\r\n<META property=\"fb:app_id\" content=\"169549326390879\"/>\r\n<link rel=\"image_src\" href=\"http://s1.reutersmedia.net/resources/r/?m=02&d=20130515&t=2&i=732065862&w=130&fh=&fw=&ll=&pl=&r=CBRE94E13BP00\" />\r\n <META property=\"og:image\" content=\"http://s1.reutersmedia.net/resources/r/?m=02&d=20130515&t=2&i=732065862&w=130&fh=&fw=&ll=&pl=&r=CBRE94E13BP00\" />\r\n\t\t<link rel=\"canonical\" href=\"http://www.reuters.com/article/2013/05/15/us-usa-healthcare-innovation-idUSBRE94E0P320130515\" />\r\n\t\t \t<link rel=\"shortcut icon\" href=\"http://s3.reutersmedia.net/resources_v2/images/favicon.ico\" />\r\n <link rel=\"icon\" href=\"http://s3.reutersmedia.net/resources_v2/images/favicon.ico\" />\r\n\r\n\t<link href=\"http://s3.reutersmedia.net/resources_v2/css/rcom-main.css\" rel=\"stylesheet\" />\r\n<script src=\"http://s3.reutersmedia.net/resources_v2/js/libraries/yui_2_7_0/yahoo/yahoo-min.js\" type=\"text/javascript\"></script>\r\n\t<script src=\"http://s4.reutersmedia.net/resources_v2/js/libraries/yui_2_7_0/event/event-min.js\" type=\"text/javascript\"></script>\r\n\t<script src=\"http://s3.reutersmedia.net/resources_v2/js/libraries/yui_2_7_0/dom/dom-min.js\" type=\"text/javascript\"></script>\r\n\t<script src=\"http://s4.reutersmedia.net/resources_v2/js/libraries/yui_2_7_0/yahoo-dom-event/yahoo-dom-event.js\" type=\"text/javascript\"></script>\r\n\t<script src=\"http://s3.reutersmedia.net/resources_v2/js/libraries/yui_2_7_0/animation/animation-min.js\" type=\"text/javascript\"></script>\r\n\t<script src=\"http://s3.reutersmedia.net/resources_v2/js/libraries/yui_2_7_0/connection/connection-min.js\" type=\"text/javascript\"></script>\r\n\t<script src=\"http://s2.reutersmedia.net/resources_v2/js/libraries/yui_2_7_0/cookie/cookie-min.js\" type=\"text/javascript\"></script>\r\n<script src=\"http://s3.reutersmedia.net/resources_v2/js/libraries/jquery-1.6.1.min.js\" type=\"text/javascript\"></script>\r\n<script src=\"http://s3.reutersmedia.net/resources_v2/js/rcom-main.js\"></script>\r\n\t<script src=\"http://s4.reutersmedia.net/resources_v2/js/rcom-agent.js\"></script>\r\n\t<script src=\"http://s4.reutersmedia.net/resources_v2/js/extensions.js\"></script>\r\n\t<script src=\"http://s4.reutersmedia.net/resources_v2/js/rcom-ads.js\"></script>\r\n\t<script src=\"http://s4.reutersmedia.net/resources_v2/js/rcom-wt-mlt.js\"></script>\r\n\t<script src=\"http://s2.reutersmedia.net/resources_v2/js/rcom-pid.js\"></script>\r\n\t<script src=\"http://s3.reutersmedia.net/resources_v2/js/rcom-geoIP.js\"></script>\r\n<script type=\"text/javascript\" src=\"/assets/rcom-cobrand.js\"></script>\r\n\r\n<script type=\"text/javascript\" src=\"http://s4.reutersmedia.net/resources_v2/js/rcom-tns.js\"></script>\r\n<link href=\"/resources_v2/css/rcom-article.css?view=20111129\" rel=\"stylesheet\" />\n<link href=\"/resources_v2/css/rcom-network-footer.css?view=20111129\" rel=\"stylesheet\" />\n<link href=\"/resources_v2/css/rcom-comments.css?view=20101129\" rel=\"stylesheet\" />\n<script type=\"text/javascript\" src=\"/resources_v2/js/rcom-article.js\"></script>\n<script type=\"text/javascript\" src=\"/resources_v2/js/rcom-linkback.js\"></script>\n\n<!--Slideshow JS and CSS files --> \n\n<script type=\"text/javascript\" src=\"/resources_v2/js/YUI_slideshow.js\"></script>\n<link href=\"/resources_v2/css/rcom-slideshow.css\" type=\"text/css\" rel=\"stylesheet\" />\n<link href=\"/resources_v2/css/rcom-multimedia.css\" type=\"text/css\" rel=\"stylesheet\" />\n\n<style type=\"text/css\">\n.articleComments .grid8 .dividerInlineH { margin-top: 10px; }\n#relatedInteractive h2 { font-size: 14px; margin: 5px 0; }\n#bankrate .section{margin-bottom: 18px;}\n</style>\n\n<!--Press release disclaimer --> \n\n<style >\n.pressRelease{\n color:#666;\n font-size:11px;\n margin-bottom:10px;\n}\n.required{\n color:red;\n font-size:11px;\n font-weight:bold;\n} \n</style>\n\n\n\n</head>\r\n<body>\r\n\r\n<script>\nvar revop_wtfpc = YAHOO.util.Cookie.get(\"WT_FPC\"); // read webtrends cookie\nif (revop_wtfpc==null) {\n\tvar u = \";U=NC;\";\n\t}\nelse\n\t{\n\tvar u = \";U=\"+revop_wtfpc+\";\";\n\t}\n</script> <!-- see if snrd cookie was set by trigger page -->\n<script>\nvar srnd = YAHOO.util.Cookie.get(\"srnd_keyword\");\nvar srnd_sequence = YAHOO.util.Cookie.get(\"srnd_sequence\");\nif (srnd!=null && srnd!=\"\")\n {\n var srnd=\"srnd=\"+srnd+\";srnd_sequence=\"+srnd_sequence+\";\";\n }\n\n</script>\n\n\n<link href=\"http://s4.reutersmedia.net/resources_v2/css/rcom-masthead-nav.css\" rel=\"stylesheet\" />\r\n<script src=\"/assets/info\" type=\"text/javascript\"></script>\r\n<script type=\"text/javascript\">\r\nvar currentUsedEdition = 'BETAUS';\r\n</script>\r\n\r\n<div id=\"header\">\r\n<a name=\"top\" id=\"top\" style=\"position: absolute;overflow:hidden;\">&nbsp;</a>\r\n\t<div id=\"marketsHeader\"></div>\r\n\t<div id=\"masthead\">\r\n\t\t<div class=\"mast-strip\">\r\n\t\t<div id=\"logo\"><a id=\"logoLink\" href=\"/\"><img src=\"/resources_v2/images/masthead-logo.gif\" alt=\"Reuters\" border=\"0\" /></a></div>\r\n\r\n\t<div id=\"editionsTop\" class=\"panel editions\">\r\n\t\t\t<ul id=\"editionSwitchTop\" class=\"editionSwitch\">\r\n\t\t\t\t<li>\r\n\t\t\t\t\t<div class=\"currentEditionTitle\">Edition:</div>\r\n\t\t\t\t\t<div class=\"currentEdition\">U.S.</div>\r\n\t\t\t\t\t<div class=\"editionArrow\"></div>\r\n\t\t\t\t\t<ul>\r\n\t\t\t\t\t\t<li><a href=\"http://ara.reuters.com\">Arabic</a></li>\r\n\t\t\t\t\t\t<li><a href=\"http://ar.reuters.com\">Argentina</a></li>\r\n\t\t\t\t\t\t<li><a href=\"http://br.reuters.com\">Brazil</a></li>\r\n\t\t\t\t\t\t<li><a href=\"http://ca.reuters.com\">Canada</a></li>\r\n\t\t\t\t\t\t<li><a href=\"http://cn.reuters.com\">China</a></li>\r\n\t\t\t\t\t\t<li><a href=\"http://fr.reuters.com\">France</a></li>\r\n\t\t\t\t\t\t<li><a href=\"http://de.reuters.com\">Germany</a></li>\r\n<li><a href=\"http://in.reuters.com\">India</a></li>\r\n<li><a href=\"http://it.reuters.com\">Italy</a></li>\r\n\t\t\t\t\t\t<li><a href=\"http://jp.reuters.com\">Japan</a></li>\r\n\t\t\t\t\t\t<li><a href=\"http://lta.reuters.com\">Latin America</a></li>\r\n\t\t\t\t\t\t<li><a href=\"http://mx.reuters.com\">Mexico</a></li>\r\n\t\t\t\t <li><a href=\"http://ru.reuters.com\">Russia</a></li>\r\n\t\t\t\t\t\t<li><a href=\"http://es.reuters.com\">Spain</a></li>\r\n<li><a href=\"http://uk.reuters.com\">United Kingdom</a></li>\r\n</ul>\r\n\t\t\t\t</li>\r\n\t\t\t</ul>\r\n\t\t</div>\r\n\t\t<div id=\"search\" class=\"panel\">\r\n\t\t<div id=\"searchbox\">\r\n\t\t\t<form id=\"searchForm\" name=\"searchbox\" method=\"get\" action=\"/search\" autocomplete=\"off\">\r\n\t\t\t\t<input id=\"searchfield\" name=\"blob\" type=\"text\" value=\"Search News & Quotes\" size=\"30\"\r\n\t\t\t\t\tonfocus=\"var strSearchValue = document.forms['searchbox'].blob.value;if(strSearchValue.trim() == 'Search News & Quotes'){document.forms['searchbox'].blob.value = '';}\"\r\n\t\t\t\t\tonblur=\"var strSearchValue = document.forms['searchbox'].blob.value;if(strSearchValue.trim() == ''){document.forms['searchbox'].blob.value = 'Search News & Quotes';}\"\r\n\t\t\t\t\tonkeypress=\"if(event.keyCode == 13) {document.forms['searchbox'].submit();return false;}\" maxlength=\"128\"\r\n\t\t\t\t/>\r\n\t\t\t\t<input type=\"submit\" id=\"searchbuttonNav\" onclick=\"return Reuters.utils.submitSearch();\" value=\"\">\r\n\t\t\t</form>\r\n\t\t</div>\r\n\t</div>\r\n\t\t<div id=\"utilities\" class=\"panel\"></div>\r\n\t</div>\r\n\t</div>\r\n\r\n\t<div id=\"dd-navigation\">\r\n \t<div id=\"nav-strip\">\r\n <ul>\r\n <li class=\"nav-item no-subnav\" id=\"nav-item_1\"><a href=\"/home\" ><span class=\"primary-link\">Home</span></a>\r\n </li>\r\n <li class=\"nav-item\" id=\"nav-item_2\"><a href=\"/finance\" ><span class=\"primary-link\">Business</span></a>\r\n <div class=\"subnav double\" id=\"subnav_2\">\r\n \r\n <div class=\"subnav-inner\">\r\n <ul class=\"one\">\r\n \r\n <li class=\"\"><a href=\"/finance\" target=\"_top\">Business Home</a></li>\r\n <li class=\"\"><a href=\"/finance/economy\" target=\"_top\">Economy</a></li>\r\n <li class=\"\"><a href=\"/news/media\" target=\"_top\">Media</a></li>\r\n <li class=\"\"><a href=\"/finance/smallBusiness\" target=\"_top\">Small Business</a></li>\r\n <li class=\"\"><a href=\"http://newsandinsight.thomsonreuters.com/Legal/\" target=\"_top\">Legal</a></li>\r\n <li class=\"lastChild \"><a href=\"/finance/deals\" target=\"_top\">Deals</a></li>\r\n </ul><ul class=\"two\"><li class=\"\"><a href=\"/finance/markets/earnings\" target=\"_top\">Earnings</a></li>\r\n <li class=\"\"><a href=\"/news/video?videoChannel=5\" target=\"_top\">Business Video</a></li>\r\n <li class=\"\"><a href=\"/news/video/reuters-tv/the-freeland-file\" target=\"_top\">The Freeland File</a></li>\r\n <li class=\"\"><a href=\"/subjects/aerospace-and-defense\" target=\"_top\">Aerospace & Defense</a></li>\r\n <li class=\"lastChild \"><a href=\"/finance/summits\" target=\"_top\">Summits</a></li>\r\n </ul>\r\n \r\n </div>\r\n \r\n </div>\r\n\r\n </li>\r\n <li class=\"nav-item\" id=\"nav-item_3\"><a href=\"/finance/markets\" ><span class=\"primary-link\">Markets</span></a>\r\n <div class=\"subnav double\" id=\"subnav_3\">\r\n \r\n <div class=\"subnav-inner\">\r\n <ul class=\"one\">\r\n \r\n <li class=\"\"><a href=\"/finance/markets\" target=\"_top\">Markets Home</a></li>\r\n <li class=\"\"><a href=\"/finance/markets/us\" target=\"_top\">U.S. Markets</a></li>\r\n <li class=\"\"><a href=\"/finance/markets/europe\" target=\"_top\">European Markets</a></li>\r\n <li class=\"\"><a href=\"/finance/markets/asia\" target=\"_top\">Asian Markets</a></li>\r\n <li class=\"\"><a href=\"/finance/global-market-data\" target=\"_top\">Global Market Data</a></li>\r\n <li class=\"\"><a href=\"/finance/markets/indices\" target=\"_top\">Indices</a></li>\r\n <li class=\"\"><a href=\"/finance/deals/mergers\" target=\"_top\">M&A</a></li>\r\n <li class=\"lastChild \"><a href=\"/finance/stocks\" target=\"_top\">Stocks</a></li>\r\n </ul><ul class=\"two\"><li class=\"\"><a href=\"/finance/bonds\" target=\"_top\">Bonds</a></li>\r\n <li class=\"\"><a href=\"/finance/currencies\" target=\"_top\">Currencies</a></li>\r\n <li class=\"\"><a href=\"/finance/commodities\" target=\"_top\">Commodities</a></li>\r\n <li class=\"\"><a href=\"/finance/futures\" target=\"_top\">Futures</a></li>\r\n <li class=\"\"><a href=\"/finance/funds\" target=\"_top\">Funds</a></li>\r\n <li class=\"\"><a href=\"http://www.pehub.com/\" target=\"_top\">peHUB</a></li>\r\n <li class=\"lastChild \"><a href=\"/finance/markets/dividends\" target=\"_top\">Dividends</a></li>\r\n </ul>\r\n \r\n </div>\r\n \r\n </div>\r\n\r\n </li>\r\n <li class=\"nav-item\" id=\"nav-item_4\"><a href=\"/news/world\" ><span class=\"primary-link\">World</span></a>\r\n <div class=\"subnav double\" id=\"subnav_4\">\r\n \r\n <div class=\"subnav-inner\">\r\n <ul class=\"one\">\r\n \r\n <li class=\"\"><a href=\"/news/world\" target=\"_top\">World Home</a></li>\r\n <li class=\"\"><a href=\"/news/us\" target=\"_top\">U.S.</a></li>\r\n <li class=\"\"><a href=\"/places/brazil\" target=\"_top\">Brazil</a></li>\r\n <li class=\"\"><a href=\"/places/china\" target=\"_top\">China</a></li>\r\n <li class=\"\"><a href=\"/subjects/euro-zone\" target=\"_top\">Euro Zone</a></li>\r\n <li class=\"\"><a href=\"/places/japan\" target=\"_top\">Japan</a></li>\r\n <li class=\"lastChild \"><a href=\"/places/africa\" target=\"_top\">Africa</a></li>\r\n </ul><ul class=\"two\"><li class=\"\"><a href=\"/places/mexico\" target=\"_top\">Mexico</a></li>\r\n <li class=\"\"><a href=\"/places/russia\" target=\"_top\">Russia</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/india\" target=\"_top\">India Insight</a></li>\r\n <li class=\"\"><a href=\"/news/video?videoChannel=117760\" target=\"_top\">World Video</a></li>\r\n <li class=\"\"><a href=\"/news/video/reuters-tv/reuters-investigates\" target=\"_top\">Reuters Investigates</a></li>\r\n <li class=\"\"><a href=\"/news/video/reuters-tv/decoder\" target=\"_top\">Decoder</a></li>\r\n <li class=\"lastChild \"><a href=\"/subjects/global-innovations\" target=\"_top\">Global Innovations</a></li>\r\n </ul>\r\n \r\n </div>\r\n \r\n </div>\r\n\r\n </li>\r\n <li class=\"nav-item\" id=\"nav-item_5\"><a href=\"/politics\" ><span class=\"primary-link\">Politics</span></a>\r\n <div class=\"subnav \" id=\"subnav_5\">\r\n \r\n <div class=\"subnav-inner\">\r\n <ul class=\"one\">\r\n \r\n <li class=\"\"><a href=\"/politics\" target=\"_top\">Politics Home</a></li>\r\n <li class=\"\"><a href=\"/subjects/supreme-court\" target=\"_top\">Supreme Court</a></li>\r\n <li class=\"lastChild \"><a href=\"/news/video?videoChannel=1003\" target=\"_top\">Politics Video</a></li>\r\n </ul>\r\n \r\n </div>\r\n \r\n </div>\r\n\r\n </li>\r\n <li class=\"nav-item\" id=\"nav-item_6\"><a href=\"/news/technology\" ><span class=\"primary-link\">Tech</span></a>\r\n <div class=\"subnav \" id=\"subnav_6\">\r\n \r\n <div class=\"subnav-inner\">\r\n <ul class=\"one\">\r\n \r\n <li class=\"\"><a href=\"/news/technology\" target=\"_top\">Technology Home</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/mediafile\" target=\"_top\">MediaFile</a></li>\r\n <li class=\"\"><a href=\"/news/science\" target=\"_top\">Science</a></li>\r\n <li class=\"\"><a href=\"/news/video?videoChannel=6\" target=\"_top\">Tech Video</a></li>\r\n <li class=\"lastChild \"><a href=\"/news/video/reuters-tv/tech-tonic\" target=\"_top\">Tech Tonic</a></li>\r\n </ul>\r\n \r\n </div>\r\n \r\n </div>\r\n\r\n </li>\r\n <li class=\"nav-item\" id=\"nav-item_7\"><a href=\"http://blogs.reuters.com/us/\" ><span class=\"primary-link\">Opinion</span></a>\r\n <div class=\"subnav double\" id=\"subnav_7\">\r\n \r\n <div class=\"subnav-inner\">\r\n <ul class=\"one\">\r\n \r\n <li class=\"\"><a href=\"http://blogs.reuters.com/us/\" target=\"_top\">Opinion Home</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/chrystia-freeland/\" target=\"_top\">Chrystia Freeland</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/john-lloyd\" target=\"_top\">John Lloyd</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/felix-salmon\" target=\"_top\">Felix Salmon</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/jackshafer\" target=\"_top\">Jack Shafer</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/david-rohde\" target=\"_top\">David Rohde</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/nader-mousavizadeh/\" target=\"_top\">Nader Mousavizadeh</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/lucy-marcus/\" target=\"_top\">Lucy P. Marcus</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/nicholas-wapshott/\" target=\"_top\">Nicholas Wapshott</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/bethany-mclean/\" target=\"_top\">Bethany McLean</a></li>\r\n <li class=\"lastChild \"><a href=\"http://blogs.reuters.com/anatole-kaletsky\" target=\"_top\">Anatole Kaletsky</a></li>\r\n </ul><ul class=\"two\"><li class=\"\"><a href=\"http://blogs.reuters.com/edgy-optimist/\" target=\"_top\">Zachary Karabell</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/edward-hadas/\" target=\"_top\">Edward Hadas</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/hugo-dixon/\" target=\"_top\">Hugo Dixon</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/ian-bremmer/\" target=\"_top\">Ian Bremmer</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/lawrencesummers/\" target=\"_top\">Lawrence Summers</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/susanglasser/\" target=\"_top\">Susan Glasser</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/great-debate\" target=\"_top\">The Great Debate</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/reihan-salam/\" target=\"_top\">Reihan Salam</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/mark-leonard\" target=\"_top\">Mark Leonard</a></li>\r\n <li class=\"lastChild \"><a href=\"http://blogs.reuters.com/stories-id-like-to-see/\" target=\"_top\">Steven Brill</a></li>\r\n </ul>\r\n \r\n </div>\r\n \r\n </div>\r\n\r\n </li>\r\n <li class=\"nav-item\" id=\"nav-item_8\"><a href=\"http://blogs.reuters.com/breakingviews/\" ><span class=\"primary-link\">Breakingviews</span></a>\r\n <div class=\"subnav \" id=\"subnav_8\">\r\n \r\n <div class=\"subnav-inner\">\r\n <ul class=\"one\">\r\n \r\n <li class=\"\"><a href=\"http://blogs.reuters.com/breakingviews/category/equities/\" target=\"_top\">Equities</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/breakingviews/category/credit\" target=\"_top\">Credit</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/breakingviews/category/private-equity/\" target=\"_top\">Private Equity</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/breakingviews/category/m-a/\" target=\"_top\">M&A</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/breakingviews/category/macro-markets/\" target=\"_top\">Macro & Markets</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/breakingviews/category/politics/\" target=\"_top\">Politics</a></li>\r\n <li class=\"lastChild \"><a href=\"/news/video/reuters-tv/breakingviews\" target=\"_top\">Breakingviews Video</a></li>\r\n </ul>\r\n \r\n </div>\r\n \r\n </div>\r\n\r\n </li>\r\n <li class=\"nav-item\" id=\"nav-item_9\"><a href=\"/finance/personal-finance\" ><span class=\"primary-link\">Money</span></a>\r\n <div class=\"subnav double\" id=\"subnav_9\">\r\n \r\n <div class=\"subnav-inner\">\r\n <ul class=\"one\">\r\n \r\n <li class=\"\"><a href=\"/finance/personal-finance\" target=\"_top\">Money Home</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/taxbreak/\" target=\"_top\">Tax Break</a></li>\r\n <li class=\"\"><a href=\"/subjects/2013-us-lipper-awards\" target=\"_top\">Lipper Awards</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/globalinvesting\" target=\"_top\">Global Investing</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/muniland\" target=\"_top\">MuniLand</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/unstructuredfinance/\" target=\"_top\">Unstructured Finance</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/linda-stern/ \" target=\"_top\">Linda Stern</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/mark-miller/\" target=\"_top\">Mark Miller</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/john-wasik/\" target=\"_top\">John Wasik</a></li>\r\n <li class=\"lastChild \"><a href=\"http://blogs.reuters.com/jim-saft/\" target=\"_top\">James Saft</a></li>\r\n </ul><ul class=\"two\"><li class=\"\"><a href=\"https://commerce.us.reuters.com/purchase/default.do\" target=\"_top\">Analyst Research</a></li>\r\n <li class=\"\"><a href=\"http://alerts.us.reuters.com/US/company.asp\" target=\"_top\">Alerts</a></li>\r\n <li class=\"\"><a href=\"http://portfolio.us.reuters.com/US/watchlist/create.asp\" target=\"_top\">Watchlist</a></li>\r\n <li class=\"\"><a href=\"http://portfolio.us.reuters.com/US/public/index.asp\" target=\"_top\">Portfolio</a></li>\r\n <li class=\"\"><a href=\"http://stockscreener.us.reuters.com/Stock/US/Index?quickscreen=gaarp\" target=\"_top\">Stock Screener</a></li>\r\n <li class=\"\"><a href=\"http://funds.us.reuters.com/US/screener/screener.asp\" target=\"_top\">Fund Screener</a></li>\r\n <li class=\"\"><a href=\"/news/video?videoChannel=303\" target=\"_top\">Personal Finance Video</a></li>\r\n <li class=\"\"><a href=\"/news/video/reuters-tv/money-clip\" target=\"_top\">Money Clip</a></li>\r\n <li class=\"lastChild \"><a href=\"/news/video/reuters-tv/investing-201\" target=\"_top\">Investing 201</a></li>\r\n </ul>\r\n \r\n </div>\r\n \r\n </div>\r\n\r\n </li>\r\n <li class=\"nav-item\" id=\"nav-item_10\"><a href=\"/news/lifestyle\" ><span class=\"primary-link\">Life</span></a>\r\n <div class=\"subnav \" id=\"subnav_10\">\r\n \r\n <div class=\"subnav-inner\">\r\n <ul class=\"one\">\r\n \r\n <li class=\"\"><a href=\"/news/health\" target=\"_top\">Health</a></li>\r\n <li class=\"\"><a href=\"/news/sports\" target=\"_top\">Sports</a></li>\r\n <li class=\"\"><a href=\"/news/entertainment/arts\" target=\"_top\">Arts</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/faithworld\" target=\"_top\">Faithworld</a></li>\r\n <li class=\"\"><a href=\"/news/entertainment\" target=\"_top\">Entertainment</a></li>\r\n <li class=\"\"><a href=\"/news/oddlyEnough\" target=\"_top\">Oddly Enough</a></li>\r\n <li class=\"lastChild \"><a href=\"/news/video?videoChannel=1004\" target=\"_top\">Lifestyle Video</a></li>\r\n </ul>\r\n \r\n </div>\r\n \r\n </div>\r\n\r\n </li>\r\n <li class=\"nav-item\" id=\"nav-item_11\"><a href=\"/news/pictures\" ><span class=\"primary-link\">Pictures</span></a>\r\n <div class=\"subnav \" id=\"subnav_11\">\r\n \r\n <div class=\"subnav-inner\">\r\n <ul class=\"one\">\r\n \r\n <li class=\"\"><a href=\"/news/pictures\" target=\"_top\">Pictures Home</a></li>\r\n <li class=\"\"><a href=\"http://blogs.reuters.com/photo\" target=\"_top\">Reuters Photographers</a></li>\r\n <li class=\"lastChild \"><a href=\"http://blogs.reuters.com/fullfocus\" target=\"_top\">Full Focus</a></li>\r\n </ul>\r\n \r\n </div>\r\n \r\n </div>\r\n\r\n </li>\r\n <li class=\"nav-item\" id=\"nav-item_12\"><a href=\"/news/video/reuters-tv\" ><span class=\"primary-link\">Video</span></a>\r\n <div class=\"subnav \" id=\"subnav_12\">\r\n \r\n <div class=\"subnav-inner\">\r\n <ul class=\"one\">\r\n \r\n <li class=\"\"><a href=\"/news/video/reuters-tv\" target=\"_top\">Reuters TV</a></li>\r\n <li class=\"lastChild \"><a href=\"/news/video\" target=\"_top\">Reuters News</a></li>\r\n </ul>\r\n \r\n </div>\r\n \r\n </div>\r\n\r\n </li>\r\n </ul>\r\n \t</div>\r\n </div>\r\n</div>\r\n<script src=\"http://s2.reutersmedia.net/resources_v2/js/libraries/jquery.bgiframe.js\" type=\"text/javascript\"></script>\r\n<script src=\"http://s4.reutersmedia.net/resources_v2/js/rcom-nav.js\" type=\"text/javascript\"></script>\r\n\r\n<div id=\"content\"><div class=\"section bleeding\" id=\"breakingNewsBand\">\n\t<div class=\"sectionContent\">\n<script type=\"text/javascript\">\r\nReuters.namespace(\"info\");\r\nReuters.info.articleId = 'USBRE94E0P320130515';\r\nReuters.info.articlePartnerURI = '';\r\nReuters.info.channel = 'politicsNews';\r\nReuters.info.articleUrl = '/article/2013/05/15/us-usa-healthcare-innovation-idUSBRE94E0P320130515';\r\n</script>\r\n\r\n<div class=\"columnCenter\">\n\n</div><!--\r\n\t\t SHARED MODULE ID: \"347501\" hidden for channel: true\r\n\t\t channel: politicsNews\r\n\t\t include chans: [technologyNews, lifestyleMolt], empty: false\r\n\t\t exclude chans: , empty: true\r\n\t\t-->\r\n\t\t<div class=\"sectionColumns\">\n\n<div class=\"gridPanel grid12\">\n<div id=\"breakingNewsContent\"></div>\n<script type=\"text/javascript\">\nReuters.utils.replaceContent(\"breakingNewsContent\", \"/assets/breakingNews\", null, null);\n</script>\n\n</div>\n\n</div>\n\n</div>\n</div>\n<div class=\"section bleeding\" id=\"bannerStrip\">\n\t<div class=\"sectionContent\">\n<div class=\"sectionColumns\">\n\n<div class=\"gridPanel grid12\">\n<div class=\"ad\">\n\n\t\t<script language=\"javascript\" type=\"text/javascript\">\n\t\t\t// krux kseg and kuid from krux header tag\n\t\t\t//var kruxvars = (typeof(kseg)=='undefined'?'':kseg) + (typeof(kuid)=='undefined'?'':kuid);\n\t\t var adsrc = 'us.reuters/news/politics/article;' + 'type=leaderboard;sz=728x90;tile=1;articleID=USBRE94E0P320130515;' + '';\n\t\t adsrc = TR.createDFPUrl(adsrc); \n\t\t if ( typeof(AD_TRACKER) != 'undefined' ) {\n\t\t adsrc = AD_TRACKER.processAdSrcType(adsrc);\n\t\t }\n\n\t\t \n\t\t if ((typeof (hideAllAds) == 'undefined' || hideAllAds == false) && (typeof (AD_TRACKER) == 'undefined' || AD_TRACKER.isAdHidden('leaderboard') == false) &&\n\t\t (typeof (hideAd_10036157) == 'undefined' || hideAd_10036157 == false)) {\n TR.writeDFPURL(\"http://ad.doubleclick.net/adj/\" + adsrc);\n\t\t }\n\n\t\t </script>\n\n\t\t<noscript>\n\t\t <a href=\"http://ad.doubleclick.net/jump/us.reuters/news/politics/article;type=leaderboard;sz=728x90;tile=1;articleID=USBRE94E0P320130515;ord=6730?\" target=\"_blank\">\n\t\t <img src=\"http://ad.doubleclick.net/ad/us.reuters/news/politics/article;type=leaderboard;sz=728x90;tile=1;articleID=USBRE94E0P320130515;ord=6730?\" width=\"728\" height=\"90\" border=\"0\" alt=\"\">\n\t\t </a>\n\t\t</noscript>\n\n\t\t</div>\n\n\t\t</div>\n\n</div>\n\n</div>\n</div>\n<div class=\"section bleeding\" id=\"articleTabSection\">\n\t<div class=\"sectionContent\">\n<div id=\"freqCap_pushdown\" style=\"display:none;\">\r\n\t<div id=\"pushdownContainer\" class=\"pushdownContainer\">\r\n \t<div class=\"ad\">\n\n\t\t<script language=\"javascript\" type=\"text/javascript\">\n\t\t\t// krux kseg and kuid from krux header tag\n\t\t\t//var kruxvars = (typeof(kseg)=='undefined'?'':kseg) + (typeof(kuid)=='undefined'?'':kuid);\n\t\t var adsrc = 'us.reuters/news/politics/article;' + 'type=pushdown;sz=1x1;articleID=USBRE94E0P320130515;taga=aaaaaaaaa;' + '';\n\t\t adsrc = TR.createDFPUrl(adsrc); \n\t\t if ( typeof(AD_TRACKER) != 'undefined' ) {\n\t\t adsrc = AD_TRACKER.processAdSrcType(adsrc);\n\t\t }\n\n\t\t \n\t\t if ( typeof(freqCap_pushdown) == 'undefined' || freqCap_pushdown == null ) {\n\t\t try { console.debug(\"frequency manager: %s is undefined, could be channel include/exclude or scheduling\", 'freqCap_pushdown') } catch(e) {};\n\t\t }\n\t\t if ( typeof(freqCap_pushdown) != 'undefined' &&\n\t\t ((typeof(freqCap_pushdown.isAdNeeded) != 'undefined' && freqCap_pushdown.isAdNeeded()) ||\n\t\t (typeof(freqCap_pushdown.isDefaultAdNeeded) != 'undefined' && freqCap_pushdown.isDefaultAdNeeded()))) {\n\t\t \n\t\t if ((typeof (hideAllAds) == 'undefined' || hideAllAds == false) && (typeof (AD_TRACKER) == 'undefined' || AD_TRACKER.isAdHidden('pushdown') == false) &&\n\t\t (typeof (hideAd_10032916) == 'undefined' || hideAd_10032916 == false)) {\n TR.writeDFPURL(\"http://ad.doubleclick.net/adj/\" + adsrc);\n\t\t }\n\n\t\t \n\t\t }\n\t\t </script>\n\n\t\t<noscript>\n\t\t <a href=\"http://ad.doubleclick.net/jump/us.reuters/news/politics/article;type=pushdown;sz=1x1;articleID=USBRE94E0P320130515;taga=aaaaaaaaa;ord=8491?\" target=\"_blank\">\n\t\t <img src=\"http://ad.doubleclick.net/ad/us.reuters/news/politics/article;type=pushdown;sz=1x1;articleID=USBRE94E0P320130515;taga=aaaaaaaaa;ord=8491?\" width=\"1\" height=\"1\" border=\"0\" alt=\"\">\n\t\t </a>\n\t\t</noscript>\n\n\t\t</div>\n\n\t\t</div>\r\n</div>\r\n\r\n<script type=\"text/javascript\">\r\n\tif ( typeof(freqCap_pushdown) != 'undefined' && \r\n ((typeof(freqCap_pushdown.isAdNeeded) != 'undefined' && (freqCap_pushdown.isAdNeeded())) || \r\n (typeof(freqCap_pushdown.isDefaultAdNeeded) != 'undefined' && freqCap_pushdown.isDefaultAdNeeded()))) {\r\n\t document.getElementById('freqCap_pushdown').style.display = 'block';\r\n\t}\r\n</script>\r\n\n\n<div class=\"linebreak\"></div>\n\t<div class=\"sectionColumns\">\n\n<div class=\"gridPanel grid12\">\n<script type=\"text/javascript\" src=\"http://s3.reutersmedia.net/resources_v2/js/commentLogin.js\"></script>\r\n<div class=\"tabs\">\r\n\t<ul>\r\n\t\t<li class=\"current\" tns=\"no\" ><a href=\"/article/2013/05/15/us-usa-healthcare-innovation-idUSBRE94E0P320130515\">Article</a></li>\r\n <li tns=\"no\" ><a href=\"/article/comments/idUSBRE94E0P320130515\">Comments&nbsp;(11)</a></li>\r\n</ul>\r\n</div>\r\n\r\n</div>\n\n</div>\n\n</div>\n</div>\n<div class=\"section gridlined4\" id=\"articleContent\">\n\t<div class=\"sectionContent\">\n<div id=\"freqCap_poe\" style=\"display:none;\">\r\n\t<div id=\"poeContainer\" class=\"poeContainer\">\r\n \t<div class=\"ad\">\n\n\t\t<script language=\"javascript\" type=\"text/javascript\">\n\t\t\t// krux kseg and kuid from krux header tag\n\t\t\t//var kruxvars = (typeof(kseg)=='undefined'?'':kseg) + (typeof(kuid)=='undefined'?'':kuid);\n\t\t var adsrc = 'us.reuters/news/politics/article;' + 'type=poe;sz=1x1;articleID=USBRE94E0P320130515;taga=aaaaaaaaa;' + '';\n\t\t adsrc = TR.createDFPUrl(adsrc); \n\t\t if ( typeof(AD_TRACKER) != 'undefined' ) {\n\t\t adsrc = AD_TRACKER.processAdSrcType(adsrc);\n\t\t }\n\n\t\t \n\t\t if ( typeof(freqCap_poe) == 'undefined' || freqCap_poe == null ) {\n\t\t try { console.debug(\"frequency manager: %s is undefined, could be channel include/exclude or scheduling\", 'freqCap_poe') } catch(e) {};\n\t\t }\n\t\t if ( typeof(freqCap_poe) != 'undefined' &&\n\t\t ((typeof(freqCap_poe.isAdNeeded) != 'undefined' && freqCap_poe.isAdNeeded()) ||\n\t\t (typeof(freqCap_poe.isDefaultAdNeeded) != 'undefined' && freqCap_poe.isDefaultAdNeeded()))) {\n\t\t \n\t\t if ((typeof (hideAllAds) == 'undefined' || hideAllAds == false) && (typeof (AD_TRACKER) == 'undefined' || AD_TRACKER.isAdHidden('poe') == false) &&\n\t\t (typeof (hideAd_10034971) == 'undefined' || hideAd_10034971 == false)) {\n TR.writeDFPURL(\"http://ad.doubleclick.net/adj/\" + adsrc);\n\t\t }\n\n\t\t \n\t\t }\n\t\t </script>\n\n\t\t<noscript>\n\t\t <a href=\"http://ad.doubleclick.net/jump/us.reuters/news/politics/article;type=poe;sz=1x1;articleID=USBRE94E0P320130515;taga=aaaaaaaaa;ord=3101?\" target=\"_blank\">\n\t\t <img src=\"http://ad.doubleclick.net/ad/us.reuters/news/politics/article;type=poe;sz=1x1;articleID=USBRE94E0P320130515;taga=aaaaaaaaa;ord=3101?\" width=\"1\" height=\"1\" border=\"0\" alt=\"\">\n\t\t </a>\n\t\t</noscript>\n\n\t\t</div>\n\n\t\t</div>\r\n</div>\r\n\r\n<script type=\"text/javascript\">\r\n\tif ( typeof(freqCap_poe) != 'undefined' && \r\n ((typeof(freqCap_poe.isAdNeeded) != 'undefined' && (freqCap_poe.isAdNeeded())) || \r\n (typeof(freqCap_poe.isDefaultAdNeeded) != 'undefined' && freqCap_poe.isDefaultAdNeeded()))) {\r\n\t document.getElementById('freqCap_poe').style.display = 'block';\r\n\t}\r\n</script>\r\n\n\n<div class=\"linebreak\"></div>\n\t<div class=\"sectionColumns\">\n\n<div class=\"column1 gridPanel grid4\">\n<div class=\"ad\">\n\n\t\t<script language=\"javascript\" type=\"text/javascript\">\n\t\t\t// krux kseg and kuid from krux header tag\n\t\t\t//var kruxvars = (typeof(kseg)=='undefined'?'':kseg) + (typeof(kuid)=='undefined'?'':kuid);\n\t\t var adsrc = 'us.reuters/news/politics/article;' + 'type=mpu;sz=300x250;tile=2;articleID=USBRE94E0P320130515;' + '';\n\t\t adsrc = TR.createDFPUrl(adsrc); \n\t\t if ( typeof(AD_TRACKER) != 'undefined' ) {\n\t\t adsrc = AD_TRACKER.processAdSrcType(adsrc);\n\t\t }\n\n\t\t \n\t\t if ((typeof (hideAllAds) == 'undefined' || hideAllAds == false) && (typeof (AD_TRACKER) == 'undefined' || AD_TRACKER.isAdHidden('mpu') == false) &&\n\t\t (typeof (hideAd_10036163) == 'undefined' || hideAd_10036163 == false)) {\n TR.writeDFPURL(\"http://ad.doubleclick.net/adj/\" + adsrc);\n\t\t }\n\n\t\t </script>\n\n\t\t<noscript>\n\t\t <a href=\"http://ad.doubleclick.net/jump/us.reuters/news/politics/article;type=mpu;sz=300x250;tile=2;articleID=USBRE94E0P320130515;ord=1651?\" target=\"_blank\">\n\t\t <img src=\"http://ad.doubleclick.net/ad/us.reuters/news/politics/article;type=mpu;sz=300x250;tile=2;articleID=USBRE94E0P320130515;ord=1651?\" width=\"300\" height=\"250\" border=\"0\" alt=\"\">\n\t\t </a>\n\t\t</noscript>\n\n\t\t</div>\n\n\t\t<div id=\"articlePackage\"></div><div class=\"linebreak\"></div>\n\t<script type=\"text/javascript\" src=\"/resources_v2/js/libraries/highlighter-0.6_sm.js\"></script> \n<div id=\"searchInterceptResults\">\n<div id=\"searchModule\"></div>\n</div>\n<script type='text/javascript'>\nhighlighter.highlight();\nReuters.utils.addLoadEvent(function() { Reuters.utils.replaceContent('searchModule', '/assets/searchIntercept?blob='+highlighter.searchKeywords(), null, null) });\n</script>\n<style type=\"text/css\">\n#searchInterceptResults {display:none;}\n#searchInterceptResults.wResults {display: block;}\n</style>\n\n<!--[if !IE]>Start Most Social<![endif]--><div id=\"social-links\">\t<h3>Follow Reuters</h3>\t\t<ul>\t\t<li class=\"facebook\"><a href=\"http://www.facebook.com/pages/Reuters/114050161948682\"><span class=\"icon\"></span>Facebook</a></li>\t\t<li class=\"twitter\"><a href=\"http://www.twitter.com/reuters\"><span class=\"icon\"></span>Twitter</a></li>\t\t<li class=\"rss\"><a href=\"http://www.reuters.com/tools/rss\"><span class=\"icon\"></span>RSS</a></li>\t\t<li class=\"youtube last\"><a href=\"http://www.youtube.com/reuters\"><span class=\"icon\"></span>YouTube</a></li>\t\t</ul>\t\t<div class=\"linebreak\"></div></div><div class=\"linebreak\"></div>\n\t<div id=\"bankrate\"><div class=\"section\">\n\t<div class=\"sectionContent\">\n<div class=\"sectionColumns\">\n\n<div class=\"gridPanel grid12\">\n<script type=\"text/javascript\">\r\n\tReuters.namespace(\"info\");\r\n\tReuters.info.outbrain_env = 'produsx';\r\n</script>\r\n<script type=\"text/javascript\">\ndocument.write('<div class=\"OUTBRAIN\" data-src=\"http://www.reuters.com' + Reuters.info.articleUrl + '?env' + Reuters.info.outbrain_env +'=0\" data-widget-id=\"AR_4\" data-ob-template=\"reuters\" ></div>');\n</script>\n<script type=\"text/javascript\" async=\"async\" src=\"http://widgets.outbrain.com/outbrain.js\"></script><div class=\"linebreak\"></div>\n\t</div>\n\n</div>\n\n</div>\n</div>\n\n\n</div><div id=\"bankrate\"><!--\r\n\t\t SHARED MODULE ID: \"433888\" hidden for channel: true\r\n\t\t channel: politicsNews\r\n\t\t include chans: [marketsNews, globalMarketsNews, hotStocksNews, ousivMolt], empty: false\r\n\t\t exclude chans: , empty: true\r\n\t\t-->\r\n\t\t</div><div id=\"bankrate\"><!--\r\n\t\t SHARED MODULE ID: \"433892\" hidden for channel: true\r\n\t\t channel: politicsNews\r\n\t\t include chans: [PersonalFinance, Retirement], empty: false\r\n\t\t exclude chans: , empty: true\r\n\t\t-->\r\n\t\t</div><div id=\"most-popular\"><div class=\"most-popular-header\"></div><div class=\"linebreak\"></div>\n\t<div id=\"mostPopularRead\"><div class=\"module\">\n\t\t\n\t\t<div class=\"moduleHeader\">\n\t\t\t\t<h3>\n\t\t\t\t\tRead</h3>\n\t\t\t</div>\n\t\t<div class=\"moduleBody\">\n\t\t<ol>\r\n\t\t<li><a href=\"/article/2013/05/28/us-usa-china-hacking-idUSBRE94R02720130528\" >Obama, China's Xi to discuss cyber security in June meeting</a>\n<span class=\"video\">| <a href=\"/video/2013/05/28/cyber-attack-targets-australia-spy-headq?videoId=243018477&newsChannel=wtMostRead\" ><img src=\"/resources_v2/images/btn_rel_video.gif\" border=\"0\" height=\"11px\" width=\"43px\" alt=\"Video\" /></a>\n</span>\r\n\t\t<div class=\"relatedHeadlineInfo\">\r\n\t<span class=\"timestamp\">2:44pm EDT</span> </div>\r\n\t</li><li><a href=\"/article/2013/05/28/us-usa-court-abortion-idUSBRE94R0ID20130528\" >Justices decline to hear Planned Parenthood funding case</a>\n<div class=\"relatedHeadlineInfo\">\r\n\t<span class=\"timestamp\">10:25am EDT</span> </div>\r\n\t</li><li><a href=\"/article/2013/05/27/entertainment-us-boxoffice-idUSBRE94P0CT20130527\" >'Fast & Furious 6' races to biggest opening for Universal Pics</a>\n<div class=\"relatedHeadlineInfo\">\r\n\t<span class=\"timestamp\">27 May 2013</span> </div>\r\n\t</li><li><a href=\"/article/2013/05/27/usa-taxes-texas-idUSL2N0E80SS20130527\" >Texas legislature passes tax cuts for businesses</a>\n<div class=\"relatedHeadlineInfo\">\r\n\t<span class=\"timestamp\">27 May 2013</span> </div>\r\n\t</li><li><a href=\"/article/2013/05/28/us-usa-economy-homes-index-idUSBRE94R0HA20130528\" >Home prices accelerate by most in seven years</a>\n<div class=\"relatedHeadlineInfo\">\r\n\t<span class=\"timestamp\">3:30pm EDT</span> </div>\r\n\t</li></ol>\r\n\t</div>\n\t\t</div>\n\t\t</div><div id=\"mostPopularDiscussed\"><div class=\"module\">\n\t\t\n\t\t<div class=\"moduleHeader\">\n\t\t\t\t<h3>\n\t\t\t\t\tDiscussed</h3>\n\t\t\t</div>\n\t\t<div class=\"moduleBody\">\n\t\t<ul>\r\n\t\t<li class=\"dup\"><div class=\"commentcount\"><a href=\"http://blogs.reuters.com/article-comments/2013/05/25/will-immigration-reform-get-killed-in-republican-led-u-s-house/#comments\">149</a></div>\r\n\t\t\t<a href=\"http://www.reuters.com/article/idUSL2N0E700J20130526\" >Will immigration reform get killed in Republican-led U.S. House?</a>\n</li><li class=\"dup\"><div class=\"commentcount\"><a href=\"http://blogs.reuters.com/article-comments/2013/05/22/irs-lerner-says-did-nothing-wrong-refuses-to-answer-questions/#comments\">149</a></div>\r\n\t\t\t<a href=\"http://www.reuters.com/article/idUSBRE94L0OS20130522\" >IRS&#8217; Lerner says did nothing wrong, refuses to answer questions</a>\n</li><li class=\"dup\"><div class=\"commentcount\"><a href=\"http://blogs.reuters.com/article-comments/2013/05/23/british-soldier-hacked-to-death-in-suspected-islamist-attack/#comments\">133</a></div>\r\n\t\t\t<a href=\"http://www.reuters.com/article/idUSBRE94L0WU20130523\" >British soldier hacked to death in suspected Islamist attack</a>\n</li></ul>\r\n\t</div>\n\t\t</div>\n\t\t</div><script>\nstripPR = function(modId) {\n\tif (document.getElementById(modId)) {\n\t\tvar lis = document.getElementById(modId).getElementsByTagName(\"li\");\n\t\tvar delindex = 0;\n\t\tfor (i=0; i<lis.length; i++) {\n\t\t\tif (lis[i].innerHTML.search(\"PR Newswire\") != -1) {\t\n\t\t\t\tlis[i].setAttribute(\"id\", \"pressli\" + delindex);\n\t\t\t\tdelindex++;\n\t\t\t}\n\t\t}\n\t\tfor (i=0; i<delindex; i++) {\n\t\t\tdocument.getElementById(\"pressli\" + i).parentNode.removeChild(document.getElementById(\"pressli\" + i));\n\t\t}\n\t}\n}\nstripPR(\"mostPopularRead\");\nstripPR(\"mostPopularShared\");\n</script><div class=\"linebreak\"></div>\n\t\n\n</div><div class=\"assetBuddy\" name=\"Photojournalism Mod\">\r\n\t<span name=\"trackingEnabledModule\" moduleName=\"E0529131915_372784\"><script language=\"javascript\">addImpression(\"E0529131915_372784\");</script><div class=\"module\"><div class=\"moduleHeader\"><h3><a href=\"http://www.reuters.com/news/pictures\">Pictures</a></h3></div><div class=\"moduleBody\"><div class=\"feature\"><div class=\"photo\"><a href=\"http://www.reuters.com/news/pictures\"><img src=\"http://s3.reutersmedia.net/resources/media/global/assets/images/20130528/20130528_6007378720130528132622.jpg\" alt=\"Photo\" title=\"Photo\" border=\"0\" /></a></div><h2><a href=\"http://www.reuters.com/news/pictures\">Reuters Photojournalism</a></h2><p>Our day's top images, in-depth photo essays and offbeat slices of life. See the best of Reuters photography.&nbsp; <span class=\"inlineLinks\"><a href=\"http://www.reuters.com/news/pictures\">See&nbsp;more</a>&nbsp;|&nbsp;<a href=\"http://www.reuters.com/news/pictures/slideshow?articleId=USRTX103TK\">Photo&nbsp;caption</a></span>&nbsp;</p></div><div class=\"dividerInlineH\"></div><div class=\"feature\"><div class=\"photo\"><table cellpadding=\"0\" cellspacing=\"0\" border=\"0\"><tr><td valign=\"middle\"><a href=\"http://www.reuters.com/news/pictures/slideshow?articleId=USRTR3DQON\"><div class=\"slideshowOverlay\"></div><img src=\"http://s4.reutersmedia.net/resources/r/?m=02&d=20130528&t=2&i=735910314&w=120&fh=&fw=&ll=&pl=&r=2013-05-28T145515Z_05_GM1E95S0LWA01_RTRRPP_0_BAHAMAS\" alt=\"Photo\" title=\"Photo\" border=\"0\" /></a></td></tr></table></div><h2><a href=\"http://www.reuters.com/news/pictures/slideshow?articleId=USRTR3DQON\">Cruise ship woes</a></h2><p>From a fire aboard a Royal Caribbean cruise ship to the Costa Concordia disaster, a look at recent problems plaguing the cruise ship industry.&nbsp; <span class=\"inlineLinks\"><a href=\"http://www.reuters.com/news/pictures/slideshow?articleId=USRTR3DQON\">Slideshow</a></span>&nbsp;</p></div><div class=\"dividerInlineH\"></div><div class=\"feature\"><div class=\"photo\"><table cellpadding=\"0\" cellspacing=\"0\" border=\"0\"><tr><td valign=\"middle\"><a href=\"http://www.reuters.com/news/pictures/slideshow?articleId=USRTX1047B\"><div class=\"slideshowOverlay\"></div><img src=\"http://s2.reutersmedia.net/resources/r/?m=02&d=20130528&t=2&i=735964432&w=120&fh=&fw=&ll=&pl=&r=2013-05-28T182523Z_02_GM1E95T03DR01_RTRRPP_0_USA-OBAMA-CHRISTIE\" alt=\"Photo\" title=\"Photo\" border=\"0\" /></a></td></tr></table></div><h2><a href=\"http://www.reuters.com/news/pictures/slideshow?articleId=USRTX1047B\">Obama and Christie tour Jersey shore</a></h2><p>Obama and Christie team up again to tour areas of New Jersey damaged by last year's Hurricane Sandy.&nbsp; <span class=\"inlineLinks\"><a href=\"http://www.reuters.com/news/pictures/slideshow?articleId=USRTX1047B\">Slideshow</a></span>&nbsp;</p></div></div></div></span></div>\r\n\r\n\t<META name=\"DCSext.artCMS\" content=\"1\">\r\n<div class=\"linebreak\"></div>\n\t<style type=\"text/css\">\n#marchex{float:left;}\n#marchex .module{margin: 0 0 8px 0;}\n#marchex .module .moduleHeader{border: none;margin: 6px 0 0 6px;}\n#marchex .module .moduleHeader h3{color: #000000;font-size: 12px;margin: 0;}\n</style>\n\n<div id=\"marchex\">\n<div class=\"module\">\n<div class=\"moduleHeader\"><h3>Sponsored Links</h3></div>\n<div class=\"moduleBody\"><script type=\"text/javascript\" src=\"http://jlinks.industrybrains.com/jsct?sid=851&amp;ct=REUTERS_BUSINESS_INVESTING&amp;tr=LEFTRAIL_BUSINESSINVESTING&amp;num=3&amp;layt=300x250&amp;fmt=simp\"></script><div class=\"linebreak\"></div>\n\t\n\n<!--\r\n\t\t SHARED MODULE ID: \"439185\" hidden for channel: true\r\n\t\t channel: politicsNews\r\n\t\t include chans: [PersonalFinance, fundsFundsNews, environmentNews, globalMarketsNews, energySector, bondsNews, hedgeFundsNews, hotStocksNews, ventureDealsBeatNews, privateEquity], empty: false\r\n\t\t exclude chans: , empty: true\r\n\t\t-->\r\n\t\t<!--\r\n\t\t SHARED MODULE ID: \"439187\" hidden for channel: true\r\n\t\t channel: politicsNews\r\n\t\t include chans: [healthNews, innovationNews, lifestyleMolt, oddlyEnoughNews, entertainmentNews, businessTravel, sportsNews], empty: false\r\n\t\t exclude chans: , empty: true\r\n\t\t-->\r\n\t\t<!--\r\n\t\t SHARED MODULE ID: \"439189\" hidden for channel: true\r\n\t\t channel: politicsNews\r\n\t\t include chans: [technologyNews], empty: false\r\n\t\t exclude chans: , empty: true\r\n\t\t-->\r\n\t\t</div>\n</div>\n</div>\n\n\n\n<div class=\"most-popular more-in-business\"><!--\r\n\t\t SHARED MODULE ID: \"303464\" hidden for channel: true\r\n\t\t channel: politicsNews\r\n\t\t include chans: [innovationNews], empty: false\r\n\t\t exclude chans: , empty: true\r\n\t\t-->\r\n\t\t</div><!--[if !IE]>End Most Social<![endif]--><!--\r\n\t\t SHARED MODULE ID: \"410263\" hidden for channel: true\r\n\t\t channel: politicsNews\r\n\t\t include chans: [globalMarketsNews, PersonalFinance], empty: false\r\n\t\t exclude chans: , empty: true\r\n\t\t-->\r\n\t\t<div class=\"linebreak\"></div>\n\t<div id=\"recommendedNewsletters\"><!--\r\n\t\t SHARED MODULE ID: \"304753\" hidden for channel: true\r\n\t\t channel: politicsNews\r\n\t\t include chans: [GCA-Economy2010], empty: false\r\n\t\t exclude chans: , empty: true\r\n\t\t-->\r\n\t\t</div><div class=\"ad\">\n\n\t\t<script language=\"javascript\" type=\"text/javascript\">\n\t\t\t// krux kseg and kuid from krux header tag\n\t\t\t//var kruxvars = (typeof(kseg)=='undefined'?'':kseg) + (typeof(kuid)=='undefined'?'':kuid);\n\t\t var adsrc = 'us.reuters/news/politics/article;' + 'type=mpulow;sz=300x250;tile=3;articleID=USBRE94E0P320130515;' + '';\n\t\t adsrc = TR.createDFPUrl(adsrc); \n\t\t if ( typeof(AD_TRACKER) != 'undefined' ) {\n\t\t adsrc = AD_TRACKER.processAdSrcType(adsrc);\n\t\t }\n\n\t\t \n\t\t if ((typeof (hideAllAds) == 'undefined' || hideAllAds == false) && (typeof (AD_TRACKER) == 'undefined' || AD_TRACKER.isAdHidden('mpulow') == false) &&\n\t\t (typeof (hideAd_16810485) == 'undefined' || hideAd_16810485 == false)) {\n TR.writeDFPURL(\"http://ad.doubleclick.net/adj/\" + adsrc);\n\t\t }\n\n\t\t </script>\n\n\t\t<noscript>\n\t\t <a href=\"http://ad.doubleclick.net/jump/us.reuters/news/politics/article;type=mpulow;sz=300x250;tile=3;articleID=USBRE94E0P320130515;ord=0325?\" target=\"_blank\">\n\t\t <img src=\"http://ad.doubleclick.net/ad/us.reuters/news/politics/article;type=mpulow;sz=300x250;tile=3;articleID=USBRE94E0P320130515;ord=0325?\" width=\"300\" height=\"250\" border=\"0\" alt=\"\">\n\t\t </a>\n\t\t</noscript>\n\n\t\t</div>\n\n\t\t<div class=\"linebreak\"></div>\n\t</div>\n\n<div class=\"column2 gridPanel grid8\">\n<h1>U.S. sets $1 billion healthcare innovation initiative</h1>\r\n\t<div class=\"facebookRec\" tns=\"no\">\r\n\t\t<iframe src=\"http://www.facebook.com/plugins/like.php?href=http%3A%2F%2Fwww.reuters.com%2Farticle%2F2013%2F05%2F15%2Fus-usa-healthcare-innovation-idUSBRE94E0P320130515&amp;layout=standard&amp;show_faces=false&amp;width=450&amp;action=recommend&amp;colorscheme=light&amp;height=35\" scrolling=\"no\" frameborder=\"0\" style=\"border:none; overflow:hidden; width:450px; height:35px;\" allowTransparency=\"true\"></iframe>\r\n </div>\r\n<div class=\"columnRight\"><div class=\"relatedRail gridPanel grid2\"><div class=\"module shareLinks\">\r\n\t <div class=\"moduleBody\">\r\n\t <ul>\r\n\r\n <li class=\"twitter \" tns=\"no\">\r\n\t\t\t<a href=\"http://twitter.com/share\" class=\"twitter-share-button\" data-counturl=\"http://www.reuters.com/article/2013/05/15/us-usa-healthcare-innovation-idUSBRE94E0P320130515\" data-via=\"reuters\" data-text=\"U.S. sets $1 billion healthcare innovation initiative\" id=\"twitter-share-link\">Tweet</a>\r\n \t\t</li>\r\n\r\n <script type=\"text/javascript\">\r\n\t\t\t\t\t\t\tvar shortUrl = 'http://reut.rs/16fp4sp';\r\n\t\t\t\t\t\t\tvar twitterShareLink = document.getElementById(\"twitter-share-link\");\r\n\t\t\t\t\t\t\ttwitterShareLink.setAttribute(\"data-url\", shortUrl);\r\n\t\t\t\t\t\t\tReuters.utils.loadScript(\"twitterShare\", \"http://platform.twitter.com/widgets.js\");\r\n\t\t\t\t\t\t</script>\r\n\t\t\t\t\t<li class=\"linkedIn \" tns=\"no\">\r\n <script type=\"text/javascript\" src=\"http://platform.linkedin.com/in.js\"></script><script type=\"in/share\" data-url=\"http://www.reuters.com/article/2013/05/15/us-usa-healthcare-innovation-idUSBRE94E0P320130515\" data-counter=\"right\"></script>\r\n \t</li>\r\n\t <li class=\"facebook\" tns=\"no\"><span class=\"hrefClone\" onclick=\"Reuters.utils.popup('http://www.facebook.com/sharer.php?u=http%3A%2F%2Fwww.reuters.com%2Farticle%2F2013%2F05%2F15%2Fus-usa-healthcare-innovation-idUSBRE94E0P320130515&t=U.S.+sets+%241+billion+healthcare+innovation+initiative', 626, 436, 1, 'shareArticle');\">Share this</span></li>\r\n\t <li class=\"google \" tns=\"no\"><span id=\"googleTag\"><g:plusone size=\"small\" count=\"true\" href=\"http://www.reuters.com/article/2013/05/15/us-usa-healthcare-innovation-idUSBRE94E0P320130515\"></span></g:plusone></li>\r\n\t<li tns=\"no\" class=\"email\"><span class=\"hrefClone\" onclick=\"Reuters.utils.popup('/do/emailArticle?articleId=USBRE94E0P320130515', 580, 735, 1, 'emailArticle');\">Email</span></li>\r\n\t\t\t<li tns=\"no\" class=\"print last\"><span class=\"hrefClone\" onclick=\"Reuters.utils.popup('/assets/print?aid=USBRE94E0P320130515', 580, 735, 3, 'printArticle');\">Print</span></li>\r\n\t\t\t</ul>\r\n\t </div>\r\n\t</div>\r\n</div></div><div class=\"columnRight\"><div class=\"relatedRail gridPanel grid2\"></div></div><div class=\"columnRight\"><div class=\"relatedRail gridPanel grid2\"><div id=\"relatedNews\" class=\"module\">\r\n\t<div class=\"moduleHeader\"><h3>Related News</h3></div>\r\n\t<div class=\"moduleBody\">\r\n\t\t<ul>\r\n\t\t<li><a href=\"/article/2013/05/15/us-retirement-healthcare-idUSBRE94E0HV20130515\">Column: Retirement healthcare costs decline - Fidelity</a><div class=\"timestamp\">Wed, May 15 2013</div></li><li><a href=\"/article/2013/05/14/us-usa-holder-fraud-idUSBRE94D0UV20130514\">U.S. charges 89 people with healthcare fraud</a><div class=\"timestamp\">Tue, May 14 2013</div></li><li><a href=\"/article/2013/05/10/us-usa-obama-healthcare-idUSBRE9490UP20130510\">Obama launches campaign to boost landmark healthcare program</a><div class=\"timestamp\">Fri, May 10 2013</div></li><li><a href=\"/article/2013/05/09/us-usa-healthcare-idUSBRE9480S720130509\">White House, Republicans spar anew over 'Obamacare'</a><div class=\"timestamp\">Thu, May 9 2013</div></li><li><a href=\"/article/2013/05/09/us-usa-healthcare-enrollment-idUSBRE94403Y20130509\">U.S. unveils $150 million healthcare enrollment initiative</a><div class=\"timestamp\">Thu, May 9 2013</div></li></ul>\r\n\t</div>\r\n</div>\r\n</div></div><div class=\"columnRight\"><div class=\"relatedRail gridPanel grid2\"><div id=\"relatedPosts\" class=\"module\">\n\t<div class=\"moduleHeader\"><h3>Analysis & Opinion</h3></div>\n\t<div class=\"moduleBody\">\n\t\t<ul>\n<li><a href=\"http://blogs.reuters.com/nicholas-wapshott/2013/04/23/the-sequester-is-just-as-destructive-as-we-thought/\">The sequester is just as destructive as we thought</a>\n\t</li>\n</ul>\n\t</div>\n</div>\n\n</div></div><div class=\"columnRight\"><div class=\"relatedRail gridPanel grid2\"><div id=\"relatedTopics\" class=\"module\">\r\n <div class=\"moduleHeader\"><h3>Related Topics</h3></div>\r\n <div class=\"moduleBody\">\r\n <ul>\r\n <li><a href=\"/politics\">Politics &#187;</a></li>\r\n <li><a href=\"/news/health\">Health &#187;</a></li>\r\n </ul>\r\n </div>\r\n </div>\r\n</div></div><div class=\"columnRight\"><div class=\"relatedRail gridPanel grid2\"><div id=\"thirdPartyLinkbackNews\"></div></div></div><div class=\"columnRight\"><div class=\"relatedRail gridPanel grid2\"></div></div><div class=\"columnRight\"><div id=\"relatedInteractive\" class=\"relatedRail gridPanel grid2\"></div></div><div class=\"columnRight\"><div class=\"relatedRail gridPanel grid2\">\n</div></div><script type=\"text/javascript\">\r\nif(typeof Reuters.info.skipSlideshow == 'undefined'&& document.getElementById(\"displayFrame\")) {Reuters.utils.addLoadEvent(function() { Reuters.utils.loadScript('sJSON','/assets/multimediaJSON?articleId=USBRE94E0P320130515&setImage=300&view=100&startNumber=1') });}</script>\r\n<div class=\"relatedPhoto landscape\" id=\"articleImage\">\r\n\t\t\t<img\r\n \t\tsrc=\"http://s1.reutersmedia.net/resources/r/?m=02&d=20130515&t=2&i=732065862&w=460&fh=&fw=&ll=&pl=&r=CBRE94E13BP00\"\r\n \t\tborder=\"0\" alt=\"U.S. President Barack Obama speaks at a Democratic Party fundraiser at the Waldorf Astoria hotel in New York, May 13, 2013. REUTERS/Jason Reed\"\r\n \t\t />\n \t<div class=\"rolloverCaption\" id=\"captionContent\">\r\n \t<div class=\"rolloverBg\">\r\n <div class=\"captionText\">\r\n <p>U.S. President Barack Obama speaks at a Democratic Party fundraiser at the Waldorf Astoria hotel in New York, May 13, 2013. </p>\r\n <p class=\"credit\">Credit: Reuters/Jason Reed</p>\r\n </div> \r\n </div>\r\n </div></div>\r\n\t<div id=\"relatedInlineVideo\"><script src=\"https://www.google.com/jsapi\" language=\"javascript\"></script>\n<script language=\"javascript\" src=\"/resources_v2/js/rcom-tv.js\"> </script>\n<script language=\"javascript\" src=\"/resources_v2/js/widget-videoexpansion.js\"> </script></div><span id=\"articleText\">\r\n<span id=\"midArticle_start\"></span>\r\n\r\n<div id=\"articleInfo\">\r\n <p>\r\n <span class=\"location\">WASHINGTON</span> | \r\n <span class=\"timestamp\">Wed May 15, 2013 3:27pm EDT</span>\r\n </p>\r\n </div>\r\n<span class=\"focusParagraph\"><p><span class=\"articleLocation\">WASHINGTON</span> (Reuters) - The Obama administration on Wednesday announced a $1 billion initiative to fund innovations in federal healthcare programs aimed at cutting costs while improving the health results.</p>\n</span><span id=\"midArticle_0\"></span><p>The Department of Health and Human Services said the money will be used to award and evaluate projects that test new payment and delivery models for federal programs including Medicare, Medicaid and the Children's Health Insurance Program.</p><span id=\"midArticle_1\"></span><p>The announcement marks the second round of innovation initiatives for the administration under President Barack Obama's 2010 Patient Protection and Affordable Care Act.</p><span id=\"midArticle_2\"></span><p>The government is looking for models that can quickly cut costs in outpatient or post-acute settings, improve care for people with special needs, transform healthcare providers' financial and clinical models or improve health conditions by clinical category, geographic area or socioeconomic class.</p><span id=\"midArticle_3\"></span><p>The application period runs from June 14 to August 15.</p><span id=\"midArticle_4\"></span><p>(Reporting by David Morgan; Editing by Gerald E. McCormick and Vicki Allen)</p><span id=\"midArticle_5\"></span></span>\r\n\r\n<div class=\"relatedTopicButtons\">\r\n\t\t\t<div class=\"actionButton\"><a href=\"/politics\">Politics</a></div>\r\n\t\t\t<div class=\"actionButton\"><a href=\"/news/health\">Health</a></div>\r\n\t\t\t</div><div class=\"facebookRec\" tns=\"no\">\r\n\t\t<iframe src=\"http://www.facebook.com/plugins/like.php?href=http%3A%2F%2Fwww.reuters.com%2Farticle%2F2013%2F05%2F15%2Fus-usa-healthcare-innovation-idUSBRE94E0P320130515&amp;layout=standard&amp;show_faces=false&amp;width=450&amp;action=recommend&amp;colorscheme=light&amp;height=35\" scrolling=\"no\" frameborder=\"0\" style=\"border:none; overflow:hidden; width:450px; height:35px;\" allowTransparency=\"true\"></iframe>\r\n </div>\r\n<div class=\"module shareLinks horizontal\">\r\n\t <div class=\"moduleBody\">\r\n\t <ul>\r\n\r\n <li class=\"twitter \" tns=\"no\">\r\n \t\t<span class=\"hrefClone\" onclick=\"Reuters.tns.retweet();\">Tweet this</span>\r\n\t\t\t\t\t</li>\r\n <li class=\"linkedIn \" tns=\"no\">\r\n \t<span class=\"hrefClone\" onclick=\"Reuters.utils.popup('http://www.linkedin.com/shareArticle?mini=true&source=Reuters&url=http%3A%2F%2Fwww.reuters.com%2Farticle%2F2013%2F05%2F15%2Fus-usa-healthcare-innovation-idUSBRE94E0P320130515&title=U.S.+sets+%241+billion+healthcare+innovation+initiative&summary=WASHINGTON+%28Reuters%29+-+The+Obama+administration+on+Wednesday+announced+a+%241+billion+initiative+to+fund+innovations+in+federal+healthcare+programs+aimed+at+cutting+costs+while+improving+the+health+results.%0AThe+Department+of+Health+and+Human+Services...', 520, 570, 1, 'shareArticle');\">Link this</span>\r\n \t</li>\r\n\t <li class=\"facebook\" tns=\"no\"><span class=\"hrefClone\" onclick=\"Reuters.utils.popup('http://www.facebook.com/sharer.php?u=http%3A%2F%2Fwww.reuters.com%2Farticle%2F2013%2F05%2F15%2Fus-usa-healthcare-innovation-idUSBRE94E0P320130515&t=U.S.+sets+%241+billion+healthcare+innovation+initiative', 626, 436, 1, 'shareArticle');\">Share this</span></li>\r\n\t <li class=\"digg \" tns=\"no\">\r\n \t<span class=\"hrefClone\" onclick=\"Reuters.utils.popup('http://digg.com/submit?url=http%3A%2F%2Fwww.reuters.com%2Farticle%2F2013%2F05%2F15%2Fus-usa-healthcare-innovation-idUSBRE94E0P320130515&bodytext=U.S.+sets+%241+billion+healthcare+innovation+initiative', 1062, 570, 1, 'shareArticle');\">Digg this</span>\r\n\t </li>\r\n\t <li tns=\"no\" class=\"email\"><span class=\"hrefClone\" onclick=\"Reuters.utils.popup('/do/emailArticle?articleId=USBRE94E0P320130515', 580, 735, 1, 'emailArticle');\">Email</span></li>\r\n\t\t\t<li tns=\"no\" class=\"reprints\"><a href=\"http://www.reutersreprints.com\">Reprints</a></li>\r\n </ul>\r\n\t </div>\r\n\t</div>\r\n<script type=\"text/javascript\" src=\"http://widget.perfectmarket.com/reuters/load.js\"></script><div class=\"linebreak\"></div>\n\t<div class=\"section\">\n\t<div class=\"sectionContent\">\n<div class=\"sectionColumns\">\n\n<div class=\"gridPanel grid12\">\n<script type=\"text/javascript\">\r\n\tReuters.namespace(\"info\");\r\n\tReuters.info.outbrain_env = 'produsx';\r\n</script>\r\n<script type=\"text/javascript\">\ndocument.write('<div class=\"OUTBRAIN\" data-src=\"http://www.reuters.com' + Reuters.info.articleUrl + '?env' + Reuters.info.outbrain_env +'=0\" data-widget-id=\"AR_2\" data-ob-template=\"reuters\" ></div>');\n</script>\n<script type=\"text/javascript\" src=\"http://widgets.outbrain.com/outbrain.js\"></script>\n<div class=\"linebreak\"></div>\n\t</div>\n\n</div>\n\n</div>\n</div>\n\n\n<div class=\"section\">\n\t<div class=\"sectionContent\">\n<div class=\"sectionColumns\">\n\n<div class=\"gridPanel grid12\">\n<script type=\"text/javascript\">\r\n\tReuters.namespace(\"info\");\r\n\tReuters.info.outbrain_env = 'produsx';\r\n</script>\r\n<script type=\"text/javascript\">\ndocument.write('<div class=\"OUTBRAIN\" data-src=\"http://www.reuters.com' + Reuters.info.articleUrl + '?env' + Reuters.info.outbrain_env +'=0\" data-widget-id=\"AR_3\" data-ob-template=\"reuters\" ></div>');\n</script>\n<script type=\"text/javascript\" src=\"http://widgets.outbrain.com/outbrain.js\"></script>\n<div class=\"linebreak\"></div>\n\t</div>\n\n</div>\n\n</div>\n</div>\n\n\n<script type=\"text/javascript\"> \n (function() { \n var params = \n { \n id: \"da568cfd-fd3d-4053-b1dc-82535e4148bb\", \n d: \"cmV1dGVycy5jb20=\", \n wid: \"5301\" \n }; \n\n var qs=\"\";for(var key in params){qs+=key+\"=\"+params[key]+\"&\"}qs=qs.substring(0,qs.length-1); \n document.write('<script type=\"text/javascript\" src=\"http://api.content.ad/Scripts/widget.js?' + qs + '\"><\\/script>'); \n })(); \n</script> <div class=\"linebreak\"></div>\n\t<script type=\"text/javascript\">\r\n var headlineEncoded = 'U.S.+sets+%241+billion+healthcare+innovation+initiative';\r\n var currentId = 'USBRE94E0P320130515';\r\n var storyChannel = 'politicsNews';\r\n var storyEdition = 'BETAUS';\r\n var storyURL = 'www.reuters.com';\r\n var socialCommentCount = '5';\r\n </script>\r\n <div class=\"commentDisclaimer\">We welcome comments that advance the story through relevant opinion, anecdotes, links and data. If you see a comment that you believe is irrelevant or inappropriate, you can flag it to our editors by using the report abuse links. Views expressed in the comments do not represent those of Reuters. For more information on our comment policy, see <a href=\"http://blogs.reuters.com/fulldisclosure/2010/09/27/toward-a-more-thoughtful-conversation-on-stories/\">http://blogs.reuters.com/fulldisclosure/2010/09/27/toward-a-more-thoughtful-conversation-on-stories/</a></div>\r\n<div class=\"articleComments\">\r\n<div class=\"commentsHeader\">Comments (11)</div>\r\n<div class=\"singleComment\">\r\n\t\t<div class=\"commentAuthor\">\r\n <a href=\"/profile/unionwv\">unionwv</a> wrote:\r\n </div>\r\n \t\t<div class=\"commentsBody\" <p>&#8220;Models&#8221; will become &#8220;Edicts&#8221;, ossified and opressive &#8211; typical governmental evolution of &#8220;service&#8221; to the people.</p>\n<p>Healthcare innovation and flecibility will be available only to those wealthy enough to escape the U.S. communistic dragnet.</p>\n</div>\r\n <div class=\"timestamp\">May 15, 2013&nbsp;10:53am EDT&nbsp;&nbsp;--&nbsp;&nbsp;<a href=\"javascript:Reuters.utils.reportAsAbuse(830696)\">Report as abuse</a></div>\r\n </div>\r\n <div class=\"singleComment\">\r\n\t\t<div class=\"commentAuthor\">\r\n <a href=\"/profile/Inertia\">Inertia</a> wrote:\r\n </div>\r\n \t\t<div class=\"commentsBody\" <p>Wasn&#8217;t the Gov program in general based on its ability to grant better coverage for less money? Now, after it&#8217;s set into law and turning out to be a financial nightmare, there&#8217;s a contest to get a piece of $1B to find a way to make this system work. </p>\n<p>Is that a way to say &#8220;we screwed up&#8221; without saying it outright?</p>\n</div>\r\n <div class=\"timestamp\">May 15, 2013&nbsp;10:58am EDT&nbsp;&nbsp;--&nbsp;&nbsp;<a href=\"javascript:Reuters.utils.reportAsAbuse(830701)\">Report as abuse</a></div>\r\n </div>\r\n <div class=\"singleComment\">\r\n\t\t<div class=\"commentAuthor\">\r\n <a href=\"/profile/Ron4Sure\">Ron4Sure</a> wrote:\r\n </div>\r\n \t\t<div class=\"commentsBody\" <p>Yes, instead of wasting time creating Obamacare, what they should have been doing was creating a single payer system. Now, seeing the error of its ways, and acknowledging massive overcharging and bloating of healthcare costs, they are going to throw more taxpayer money at finding alternatives. Things get ever more ridiculous in Washington. Our legislators need to get to work actually doing something to fix the healthcare system &#8212; like, for instance, getting the insurance companies out of it completely and letting the government deliver healthcare. And yes, the government should cap procedures.</p>\n</div>\r\n <div class=\"timestamp\">May 15, 2013&nbsp;11:07am EDT&nbsp;&nbsp;--&nbsp;&nbsp;<a href=\"javascript:Reuters.utils.reportAsAbuse(830714)\">Report as abuse</a></div>\r\n </div>\r\n <div class=\"commentPrompt\">This discussion is now closed. We welcome comments on our articles for a limited period after their publication.</div>\r\n <div class=\"socialCommentLinks\">\r\n<span class=\"seeAllComments\"><a href=\"/article/comments/idUSBRE94E0P320130515\">See All Comments &#187;</a></span>\r\n </div>\r\n</div>\r\n<br />\r\n<script language=\"javascript\" src=\"/assets/inlineArticleLinks\"></script><!--\r\n\t\t SHARED MODULE ID: \"493482\" hidden for channel: true\r\n\t\t channel: politicsNews\r\n\t\t include chans: [Currencies, Deals, companyNews, energySector, financialsSector, fundsFundsNews, globalMarketsNews, hotStocksNews, industrialsSector, marketsNews, ousivMolt], empty: false\r\n\t\t exclude chans: , empty: true\r\n\t\t-->\r\n\t\t<div class=\"linebreak\"></div>\n\t<!--\r\n\t\t SHARED MODULE ID: \"493476\" hidden for channel: true\r\n\t\t channel: politicsNews\r\n\t\t include chans: [GCA-Economy2010, PersonalFinance, businessNews, economicNews, topNews, worldNews, domesticNews], empty: false\r\n\t\t exclude chans: , empty: true\r\n\t\t-->\r\n\t\t<div class=\"linebreak\"></div>\n\t<script type=\"text/ja",
"vascript\" src=\"http://jlinks.industrybrains.com/jsct?sid=851&ct=REUTERS_BUSINESS_INVESTING&tr=ARTICLES_ROS&num=4&layt=1&fmt=simp\"></script><div class=\"linebreak\"></div>\n\t\n\n<div class=\"linebreak\"></div>\n\t</div>\n\n</div>\n\n<script type=\"text/javascript\" src=\"https://apis.google.com/js/plusone.js\">\n{\"parsetags\": \"explicit\"}\n</script>\n<script type=\"text/javascript\">\ngapi.plusone.go(\"googleTag\");\n</script>\n</div>\n</div>\n<div class=\"section\">\n\t<div class=\"sectionContent\">\n<div class=\"sectionColumns\">\n\n<div class=\"column1\">\n</div>\n\n<div class=\"column2\">\n</div>\n\n<div class=\"column3\">\n</div>\n\n</div>\n\n<div id=\"articleFooter\"><div id=\"cobrandLoader\"> </div><div class=\"linebreak\"></div>\n\t<!--[if !IE]>Start Network Footer<![endif]-->\n<link href=\"/resources_v2/css/rcom-network-footer.css\" rel=\"stylesheet\" />\n<script language=\"javascript\" src=\"/resources_v2/js/rcom-network-footer.js\"></script>\n<div id=\"network-footer\"></div>\n<script language=\"javascript\">Reuters.utils.replaceContent(\"network-footer\", \"/assets/sharedModuleLoader?view=RSM-US-More-From-Reuters-2\", null, Reuters.utils.fixNetworkFooter);</script>\n<div class=\"linebreak\"></div>\n\n\n<!--[if !IE]>End Network Footer<![endif]-->\n<!--[if !IE]> START News Content Page Tags <![endif]-->\n<META name=\"DCSext.ContentType\" content=\"Text\"> <!--[if !IE]> 'Text' | 'Picture' | 'Slideshow' | 'Video' <![endif]-->\n<META name=\"DCSext.ContentID\" content=\"USBRE94E0P320130515\"> <!--[if !IE]> ie. articleId <![endif]-->\n<META name=\"DCSext.ContentChannel\" content=\"politicsNews\">\n<META name=\"DCSext.ContentID_politicsNews\" content=\"USBRE94E0P320130515\"> <!--[if !IE]> ie. articleId <![endif]-->\n<META name=\"DCSext.ContentHeadline\" content=\"U.S.+sets+%241+billion+healthcare+innovation+initiative\"> <!--[if !IE]> ie. headline for article <![endif]-->\n<META name=\"DCSext.PageNumber\" content=\"1\">\n<META name=\"DCSext.PageTotal\" content=\"1\"> <!--[if !IE]> ie. headline for article <![endif]-->\n<!--[if !IE]> END News Content Page Tags <![endif]-->\n<script src=\"/resources_v2/js/tracker_article.js\" type=\"text/javascript\"></script>\n</div></div>\n</div>\n<div class=\"section bleeding\" id=\"footerHead\">\n\t<div class=\"sectionContent\">\n<div id=\"footerHeader\"><div class=\"columnLeft\"><div class=\"logo\"><div id=\"footerLogo\"><a href=\"/\">&nbsp;</a></div></div></div><div class=\"columnLeft\">\t<div id=\"editionsFooter\" class=\"panel editions\">\n\t\t\t<ul id=\"editionSwitchFooter\" class=\"editionSwitch\">\n\t\t\t\t<li>\n\t\t\t\t\t<div class=\"currentEditionTitle\">Edition:</div>\n\t\t\t\t\t<div class=\"currentEdition\">U.S.</div>\n\t\t\t\t\t<div class=\"editionArrow\"></div>\n\t\t\t\t\t<ul>\n\t\t\t\t\t\t<li><a href=\"http://ara.reuters.com\">Arabic</a></li>\n\t\t\t\t\t\t<li><a href=\"http://ar.reuters.com\">Argentina</a></li>\n\t\t\t\t\t\t<li><a href=\"http://br.reuters.com\">Brazil</a></li>\n\t\t\t\t\t\t<li><a href=\"http://ca.reuters.com\">Canada</a></li>\n\t\t\t\t\t\t<li><a href=\"http://cn.reuters.com\">China</a></li>\n\t\t\t\t\t\t<li><a href=\"http://fr.reuters.com\">France</a></li>\n\t\t\t\t\t\t<li><a href=\"http://de.reuters.com\">Germany</a></li>\n\t\t\t\t\t\t<li><a href=\"http://in.reuters.com\">India</a></li>\n\t\t\t\t\t\t<li><a href=\"http://it.reuters.com\">Italy</a></li>\n\t\t\t\t\t\t<li><a href=\"http://jp.reuters.com\">Japan</a></li>\n\t\t\t\t\t\t<li><a href=\"http://lta.reuters.com\">Latin America</a></li>\n\t\t\t\t\t\t<li><a href=\"http://mx.reuters.com\">Mexico</a></li>\n\t\t\t\t\t <li><a href=\"http://ru.reuters.com\">Russia</a></li>\n\t\t\t\t\t\t<li><a href=\"http://es.reuters.com\">Spain</a></li>\n\t\t\t\t\t\t<li><a href=\"http://uk.reuters.com\">United Kingdom</a></li>\n\t\t\t\t\t</ul>\n\t\t\t\t</li>\n\t\t\t</ul>\n\t\t</div>\n<script type=\"text/javascript\">\nif(Reuters.info.edition == \"BETAUS\") {\n\t$(\"#editionSwitchFooter .currentEdition\").text('U.S.');\n} else {\n\t$(\"#editionSwitchFooter .currentEdition\").text(Reuters.info.edition);\n}\n</script></div><div class=\"columnRight\"><div id=\"topLink\"><a href=\"#top\"><p>Back to top</p></a></div></div></div><div class=\"sectionColumns\">\n\n<div class=\"column1\">\n</div>\n\n<div class=\"column2\">\n</div>\n\n<div class=\"column3\">\n</div>\n\n</div>\n\n</div>\n</div>\n<div class=\"section bleeding\" id=\"footer\">\n\t<div class=\"sectionContent\">\n<div class=\"sectionColumns\">\n\n<div class=\"gridPanel grid12\">\n<div class=\"columnLeft\"><div class=\"gridPanel grid12\">\n<span class=\"footerparent\">Reuters.com</span>\n<ul>\n\t<li class=\"h-links\"><a href=\"http://www.reuters.com/finance\">Business</a></li>\n\t<li class=\"h-links\"><a href=\"http://www.reuters.com/finance/markets\">Markets</a></li>\n\t<li class=\"h-links\"><a href=\"http://www.reuters.com/news/world\">World</a></li>\n\t<li class=\"h-links\"><a href=\"http://www.reuters.com/news/politics\">Politics</a></li>\n\t<li class=\"h-links\"><a href=\"http://www.reuters.com/news/technology\">Technology</a></li>\n\t<li class=\"h-links\"><a href=\"http://blogs.reuters.com/us/\">Opinion</a></li>\n\t<li class=\"h-links\"><a href=\"http://www.reuters.com/finance/personal-finance\">Money</a></li>\n\t<li class=\"h-links\"><a href=\"http://www.reuters.com/news/pictures\">Pictures</a></li>\n\t<li class=\"h-links\"><a href=\"http://www.reuters.com/news/video\">Videos</a></li>\n\t<li class=\"h-linkend\"><a href=\"http://www.reuters.com/assets/siteindex\">Site Index</a></li>\n</ul>\n\n\n\n</div></div><div class=\"columnLeft\"><div class=\"gridPanel grid12\"><span class=\"footerparent\"><a href=\"http://newsandinsight.thomsonreuters.com/Legal/\" target=\"_blank\">Legal</a></span>\n<ul>\n\t<li class=\"h-links\"><a href=\"http://newsandinsight.thomsonreuters.com/Legal/Bankruptcy/\" target=\"_blank\" onclick=\"dcsMultiTrack('DCS.dcssip','newsandinsight.thomsonreuters.com','DCS.dcsuri','/Legal/Bankruptcy/','WT.ti','Offsite: newsandinsight.thomsonreuters.com','WT.dl','24','WT.z_offsite','http://newsandinsight.thomsonreuters.com/Legal/Bankruptcy/');\">Bankruptcy Law</a></li>\n\t<li class=\"h-links\"><a href=\"http://newsandinsight.thomsonreuters.com/Legal/CA/\" target=\"_blank\" onclick=\"dcsMultiTrack('DCS.dcssip','newsandinsight.thomsonreuters.com','DCS.dcsuri','/Legal/CA/','WT.ti','Offsite: newsandinsight.thomsonreuters.com','WT.dl','24','WT.z_offsite','http://newsandinsight.thomsonreuters.com/Legal/CA/');\">California Legal</a></li>\n\t<li class=\"h-links\"><a href=\"http://newsandinsight.thomsonreuters.com/Legal/NY/\" target=\"_blank\" onclick=\"dcsMultiTrack('DCS.dcssip','newsandinsight.thomsonreuters.com','DCS.dcsuri','/Legal/NY/','WT.ti','Offsite: newsandinsight.thomsonreuters.com','WT.dl','24','WT.z_offsite','http://newsandinsight.thomsonreuters.com/Legal/NY/');\">New York Legal</a></li>\n\t<li class=\"h-linkend\"><a href=\"http://newsandinsight.thomsonreuters.com/Legal/Securities/\" target=\"_blank\" onclick=\"dcsMultiTrack('DCS.dcssip','newsandinsight.thomsonreuters.com','DCS.dcsuri','/Legal/Securities/','WT.ti','Offsite: newsandinsight.thomsonreuters.com','WT.dl','24','WT.z_offsite','http://newsandinsight.thomsonreuters.com/Legal/Securities/');\">Securities Law</a></li>\n</ul></div></div><div class=\"columnLeft\"><div class=\"gridPanel grid12\"><span class=\"footerparent\">Support & Contact</span>\n<ul>\n\t<li class=\"h-links\"><a href=\"http://reuters.zendesk.com\">Support</a></li>\n\t<li class=\"h-linkend\"><a href=\"http://reuters.zendesk.com/anonymous_requests/new\">Corrections</a></li>\n</ul>\n</div></div><div class=\"columnLeft\"><div id=\"footer-utilities\" class=\"gridPanel grid12\"></div></div><div class=\"columnLeft\"><div class=\"gridPanel grid12\">\n<span class=\"footerparent\">Connect with Reuters</span>\n<ul>\n<li id=\"foot-twitter\"><a href=\"http://www.twitter.com/reuters\">Twitter</a>&nbsp;&nbsp;</li>\n<li id=\"foot-facebook\"><a href=\"http://www.facebook.com/Reuters\">Facebook</a>&nbsp;&nbsp;</li>\n<li id=\"foot-linkedin\"><a href=\"http://www.linkedin.com/today/reuters.com\">LinkedIn</a>&nbsp;&nbsp;</li>\n<li id=\"foot-rssfeed\"><a href=\"http://www.reuters.com/tools/rss\">RSS</a>&nbsp;&nbsp;</li>\n<li id=\"foot-podcasts\"><a href=\"http://www.reuters.com/tools/podcasts\">Podcast</a>&nbsp;&nbsp;</li>\n<li id=\"foot-newsletters\"><a href=\"https://commerce.us.reuters.com/profile/pages/newsletter/begin.do\">Newsletters</a>&nbsp;&nbsp;</li>\n<li id=\"foot-mobile\"><a href=\"http://www.reuters.com/tools/mobile\">Mobile</a></li>\n</ul>\n</div></div><div class=\"columnLeft\"><div class=\"gridPanel grid12\"><span class=\"footerparent\">About</span>\n<ul>\n\t<li class=\"h-links\"><a href=\"http://www.reuters.com/privacy-policy\">Privacy Policy</a></li>\n\t<li class=\"h-links\"><a href=\"http://www.reuters.com/terms-of-use\">Terms of Use</a></li>\n\t <li class=\"h-links\"><a href=\"http://static.reuters.com/resources_v2/images/media_guide_01_08_13.pdf\" target=\"_blank\">Advertise With Us</a></li>\n <li class=\"h-links\" id=\"evidon-footer\"><a id=\"_bapw-link\" href=\"#\" target=\"_blank\"><img id=\"_bapw-icon\" border=\"0\" src=\"http://cdn.betrad.com/pub/icon1.png\" /><span id=\"evidon-text\">AdChoices</span></a></li>\n\t<li class=\"h-linkend\" id=\"footer-endrow\"><a href=\"http://thomsonreuters.com/copyright/\">Copyright</a></li>\n</ul>\n<script>/**/(function(){var g=285,i=1237,a=false,h=document,j=h.getElementById(\"_bapw-link\"),e=(h.location.protocol==\"https:\"),f=(e?\"https\":\"http\")+\"://\",c=f+(e?\"a248.e.akamai.net/betterad.download.akamai.com/91609\":\"cdn.betrad.com\")+\"/pub/\";function b(k){var d=new Image();d.src=f+\"l.betrad.com/pub/p.gif?pid=\"+g+\"&ocid=\"+i+\"&i\"+k+\"=1&r=\"+Math.random()}h.getElementById(\"_bapw-icon\").src=c+\"icon1.png\";j.onmouseover=function(){if(/#$/.test(j.href)){j.href=\"http://info.evidon.com/pub_info/\"+g+\"?v=1\"}};j.onclick=function(){var k=window._bap_p_overrides;function d(n,q){var o=h.getElementsByTagName(\"head\")[0]||h.documentElement,m=a,l=h.createElement(\"script\");function p(){l.onload=l.onreadystatechange=null;o.removeChild(l);q()}l.src=n;l.onreadystatechange=function(){if(!m&&(this.readyState==\"loaded\"||this.readyState==\"complete\")){m=true;p()}};l.onload=p;o.insertBefore(l,o.firstChild)}if(k&&k.hasOwnProperty(g)){if(k[g].new_window){b(\"c\");return true}}this.onclick=\"return \"+a;d(f+\"ajax.googleapis.com/ajax/libs/jquery/1.6.4/jquery.min.js\",function(){d(c+\"pub2.js\",function(){BAPW.i(j,{pid:g,ocid:i})})});return a};b(\"i\")}());/**/</script>\n</div></div><div id=\"tr-intro\" class=\"gridPanel grid12\"><div id=\"tr-description\"><img src=\"/resources_v2/images/tr-source-txt.gif\" border=\"0\" /></div></div><div class=\"linebreak\"></div>\n\t<div id=\"tr-logo\" class=\"gridPanel grid12\"><a href=\"http://www.thomsonreuters.com/\"><div id=\"tr-footer\">&nbsp;</div></a></div><div class=\"linebreak\"></div>\n\t<div id=\"tr-info\" class=\"gridPanel grid12\"><div class=\"tr-products\">\n<div id=\"tr-eikon\">\n<div class=\"tr-header1\"><a href=\"http://thomsonreuters.com/products_services/financial/eikon/\" onclick=\"dcsMultiTrack('DCS.dcssip','thomsonreuterseikon.com','DCS.dcsuri','/','WT.ti','Offsite: thomsonreuterseikon.com','WT.dl','24','WT.z_offsite','http://thomsonreuterseikon.com/');\"></a></div>\n<div class=\"tr-descr\">Our Flagship financial information platform incorporating Reuters Insider</div>\n</div>\n\n<div id=\"tr-elektron\">\n<div class=\"tr-header1\"><a href=\"http://thomsonreuters.com/products_services/financial/financial_products/a-z/elektron/\" onclick=\"dcsMultiTrack('DCS.dcssip','www.pehub.com','DCS.dcsuri','/','WT.ti','Offsite: www.pehub.com','WT.dl','24','WT.z_offsite','http://www.pehub.com/');\"OnClick=\"dcsMultiTrack('DCS.dcssip','thomsonreuters.com','DCS.dcsuri','/','WT.ti','Offsite: thomsonreuters.com','WT.dl','24','WT.z_offsite','http://thomsonreuters.com/');\"></a></div>\n<div class=\"tr-descr\">An ultra-low latency infrastructure for electronic trading and data distribution</div>\n</div>\n\n<div id=\"tr-accelus\">\n<div class=\"tr-header1\"><a href=\"http://www.accelus.thomsonreuters.com/\" onclick=\"dcsMultiTrack('DCS.dcssip','www.accelus.thomsonreuters.com','DCS.dcsuri','/','WT.ti','Offsite: www.accelus.thomsonreuters.com','WT.dl','24','WT.z_offsite','http://www.accelus.thomsonreuters.com/');\"></a></div>\n<div class=\"tr-descr\">A connected approach to governance, risk and compliance</div>\n</div>\n\n<div id=\"tr-westlaw\">\n<div class=\"tr-header3\"><a href=\"http://west.thomson.com/westlawnext/default.aspx\" onclick=\"dcsMultiTrack('DCS.dcssip','west.thomson.com','DCS.dcsuri','/westlawnext/default.aspx','WT.ti','Offsite: west.thomson.com','WT.dl','24','WT.z_offsite','http://west.thomson.com/westlawnext/default.aspx');\"></a></div>\n<div class=\"tr-descr\">Our next generation legal research platform</div>\n</div>\n\n<div id=\"tr-onesource\">\n<div class=\"tr-header1\"><a href=\"http://onesource.thomsonreuters.com/\" onclick=\"dcsMultiTrack('DCS.dcssip','onesource.thomsonreuters.com','DCS.dcsuri','/','WT.ti','Offsite: onesource.thomsonreuters.com','WT.dl','24','WT.z_offsite','http://onesource.thomsonreuters.com/');\"></a></div>\n<div class=\"tr-descr\">Our global tax workstation</div>\n</div>\n\n<div id=\"tr-linklist\">\n<ul>\n<li class=\"tr-descr\"><a href=\"http://thomsonreuters.com/\">Thomsonreuters.com</a></li>\n<li class=\"tr-descr\"><a href=\"http://thomsonreuters.com/about/\">About Thomson Reuters</a></li>\n<li class=\"tr-descr\"><a href=\"http://ir.thomsonreuters.com\">Investor Relations</a></li>\n<li class=\"tr-descr\"><a href=\"http://careers.thomsonreuters.com/\">Careers</a></li>\n<li class=\"tr-descr\"><a href=\"http://thomsonreuters.com/about/contact_us/\">Contact Us</a></li>\n</ul>\n</div>\n\n</div></div><div class=\"linebreak\"></div>\n\t</div>\n\n</div>\n\n<div id=\"disclaimer\"><p><a href=\"http://www.thomsonreuters.com\">Thomson Reuters</a> is the world's largest international multimedia news agency, providing <a href=\"http://www.reuters.com/finance/markets/us\">investing news</a>, <a href=\"http://www.reuters.com/news/world\">world news</a>, <a href=\"http://www.reuters.com/finance\">business news</a>, <a href=\"http://www.reuters.com/news/technology\">technology news</a>, headline news, <a href=\"http://www.reuters.com/finance/smallBusiness\">small business news</a>, news alerts, <a href=\"http://www.reuters.com/finance/personal-finance\">personal finance</a>, <a href=\"http://www.reuters.com/finance/stocks\">stock market</a>, and <a href=\"http://funds.us.reuters.com/US/overview.asp\">mutual funds information</a> available on Reuters.com, <a href=\"http://www.reuters.com/news/video\">video</a>, <a href=\"http://www.reuters.com/tools/mobile\">mobile</a>, and interactive television platforms. Thomson Reuters journalists are subject to an <a href=\"http://handbook.reuters.com\">Editorial Handbook</a> which requires fair presentation and disclosure of relevant interests.</p>\n\n<p>NYSE and AMEX quotes delayed by at least 20 minutes. Nasdaq delayed by at least 15 minutes. For a complete <a href=\"http://www.reuters.com/info/disclaimer\" target=\"_blank\">list of exchanges and delays, please click here</a>.</p></div><div id=\"Footer1\"></div><img src=\"http://www.bizographics.com/collect/?fmt=gif&url=reuters.com&pid=501\" width=\"1\" height=\"1\" border=\"0\" alt=\"\">\n<div class=\"linebreak\"></div>\n\t<script type=\"text/javascript\">\nvar _baq = _baq || [];\n_baq.push(['setClientId','e1icvk']);\n_baq.push(['trackPageView']);\n\n_baq.push(['setCustomVariable',1,'section','BETAUS'])\n\nvar author = '';\nvar authorNameList = '';\nif (author != '') {\n author = author.replace(/<a[^>]*\">/g, '');\n author = author.replace(/<\\/a>/g, '');\n var authors = author.split(' and ');\n var nameList = '';\n for (var i=0; i<authors.length; i++) {\n if (authorNameList != '') {\n authorNameList = authorNameList.trim() + \";\";\n }\n authorNameList = authorNameList + authors[i].trim();\n }\n authorNameList = authorNameList.replace(\",\", \";\");\n}\n\nif (authorNameList != '') {\n_baq.push(['setCustomVariable',2,'author',authorNameList])\n}\n\n(function () { var s = document.createElement('script'); s.src = ('https:' == document.location.protocol ? 'https://commerce.us.reuters.com' : 'http://mediacdn.reuters.com') + '/pulse/2/trb.js'; (document.getElementsByTagName('HEAD')[0] || document.getElementsByTagName('BODY')[0]).appendChild(s); }());\n</script>\n\n</div>\n</div>\n\n\n</div>\r\n\n<SCRIPT TYPE=\"text/javascript\">\ndocument.write(\"<SCR\"+\"IPT TYPE='text/javascript' SRC='\" + \"http\" + (window.location.protocol.indexOf('https:')==0?'s':'') + \"://js.revsci.net/gateway/gw.js?csid=I07714' CHARSET='ISO-8859-1'\"+\"><\\/SCR\"+\"IPT>\");\n</SCRIPT>\n\n<script type=\"text/javascript\">\n<!--\n I07714.DM_cat(\"us.reuters > news > politics > article\");\n I07714.DM_tag();\n//-->\n</SCRIPT><!-- Begin comScore Tag -->\n<script type=\"text/javascript\">document.write(unescape(\"%3Cscript src='\" + (document.location.protocol == \"https:\" ? \"https://sb\" : \"http://b\") + \".scorecardresearch.com/beacon.js' %3E%3C/script%3E\"));</script>\n<script type=\"text/javascript\">\n\tCOMSCORE.beacon({ c1:2, c2:\"6035630\", c3:\"\", c4:\"\", c5:\"\", c6:\"\", c15:\"\" });\n</script>\n<noscript>\n\t<img src=\"http://b.scorecardresearch.com/p?c1=2&c2=&c3=&c4=&c5=&c6=&c15=&cj=1\" />\n</noscript>\n<!-- End comScore Tag --><META name=\"DCSext.rChannel\" content=\"News\">\r\n<META name=\"DCSext.rCountry\" content=\"BETAUS\">\r\n<META name=\"WT.cg_n\" content=\"News - Politics\">\r\n<META name=\"WT.cg_s\" content=\"politicsNews\">\r\n<META name=\"DCSext.DartZone\" content=\"us.reuters/news/politics/article\">\r\n<script type=\"text/javascript\">\r\nvar loginCookieValue = YAHOO.util.Cookie.get(\"login\");\r\nif(loginCookieValue != null && loginCookieValue != ''){\r\n\r\n\tloginMeta = document.createElement('META');\r\n\tloginMeta.name = 'WT.z_li';\r\n\r\n\tvar customerId = YAHOO.util.Cookie.get(\"customerId\");\r\n\tvar socialLoginProvider = YAHOO.util.Cookie.get(\"socialLoginProvider\");\r\n\tif(customerId != null && customerId != '' && socialLoginProvider != null && socialLoginProvider != ''){\r\n\t\tsocialLoginProvider = socialLoginProvider.toLowerCase();\r\n\t\tif(socialLoginProvider == 'google'){\r\n\t\t\tloginMeta.content = \"2\";\r\n\t\t} else if(socialLoginProvider == 'facebook'){\r\n\t\t\tloginMeta.content = \"3\";\r\n\t\t} else if(socialLoginProvider == 'linkedin'){\r\n\t\t\tloginMeta.content = \"4\";\r\n\t\t} else if(socialLoginProvider=='aol'){\r\n\t\t\tloginMeta.content = \"5\";\r\n\t\t} else if(socialLoginProvider=='twitter'){\r\n\t\t\tloginMeta.content = \"6\";\r\n\t\t} else if(socialLoginProvider=='myspace'){\r\n\t\t\tloginMeta.content = \"7\";\r\n\t\t} else if(socialLoginProvider=='yahoo'){\r\n\t\t\tloginMeta.content = \"8\";\r\n\t\t}\r\n\t} else {\r\n\t\tloginMeta.content = \"1\";\r\n\t}\r\n\r\n\tdocument.getElementsByTagName('head')[0].appendChild(loginMeta);\r\n }\r\n\r\nvar registeredCookieValue = YAHOO.util.Cookie.get(\"ruus\");\r\n\r\nif(registeredCookieValue != null && registeredCookieValue != 'undefined' && registeredCookieValue != ''){\r\n\tregisteredMeta = document.createElement('META');\r\n\tregisteredMeta.name = \"WT.z_registered\";\r\n\tregisteredMeta.content = encodeURIComponent(registeredCookieValue);\r\n\tdocument.getElementsByTagName('head')[0].appendChild(registeredMeta);\r\n}\r\n\r\n</script>\r\n<!-- START OF SmartSource Data Collector TAG -->\r\n<!-- Copyright (c) 1996-2009 WebTrends Inc. All rights reserved. -->\r\n<!-- Version: 8.6.0 -->\r\n<!-- Tag Builder Version: 2.1.0 -->\r\n<!-- Created: 2/9/2009 17:21:12 -->\r\n<script src=\"http://s4.reutersmedia.net/resources_v2/js/webtrends.js\" type=\"text/javascript\"></script>\r\n<script type=\"text/javascript\">\r\nvar _tag=new WebTrends();\r\n_tag.dcsGetId();\r\n</script>\r\n<script type=\"text/javascript\">\r\nsetModuleImpressionTracking();\r\n_tag.dcsCollect();\r\ndscQuantcast(_tag);\r\n</script>\r\n<noscript>\r\n<div><img alt=\"DCSIMG\" id=\"DCSIMG\" width=\"1\" height=\"1\" src=\"http://statse.webtrendslive.com/dcsncwimc10000kzgoor3wv9x_3f2v/njs.gif?dcsuri=/nojavascript&amp;WT.js=No&amp;WT.tv=8.6.0\"/></div>\r\n</noscript>\r\n<!-- END OF SmartSource Data Collector TAG -->\r\n\r\n<script type=\"text/javascript\">\nvar _gaq = _gaq || [];\n_gaq.push(['_setAccount', 'UA-24152976-1']);\n_gaq.push(['_setDomainName', '.reuters.com']);\n_gaq.push(['_trackPageview']);\n\n(function() { var ga = document.createElement('script'); ga.type = 'text/javascript'; ga.async = true; ga.src = ('https:' == document.location.protocol ? 'https://ssl' : 'http://www') + '.google-analytics.com/ga.js'; var s = document.getElementsByTagName('script')[0]; s.parentNode.insertBefore(ga, s); })();\n</script>\n\n<!-- Begin BlueKai Tag -->\n<iframe name=\"__bkframe\" height=\"0\" width=\"0\" frameborder=\"0\" src=\"javascript:void(0)\"></iframe>\n<script type=\"text/javascript\" src=\"http://www.bkrtx.com/js/bk-static.js\"></script>\n\n<script>\n\ttry{\t\t\n\t\tvar bkSocialLogin = (typeof socialLoginProvider!=\"undefined\"?socialLoginProvider:\"\");\n\t\tvar bkReferrer = (typeof document.referrer.split(\"/\")[2]!=\"undefined\"?document.referrer.split(\"/\")[2]:\"\");\n\t\tvar bkLoginCookieValue = (typeof loginCookieValue!=\"undefined\"?loginCookieValue:\"\");\n\t\tvar bkSearchVal = (typeof document.location.search!=\"undefined\"?document.location.search:\"\");\n\t\tvar bkRegVal = (typeof registeredCookieValue!=\"undefined\"?registeredCookieValue:\"\");\n\t\tvar bkWTFPCCookie = (typeof YAHOO.util.Cookie.get(\"WT_FPC\")!=\"undefined\"?YAHOO.util.Cookie.get(\"WT_FPC\"):\"\");\n\t\t\n\t\tbkWTFPCCookieArr = bkWTFPCCookie.split(\"=\"); \n\t\tbkWTFPCCookieKeyArr = bkWTFPCCookieArr[1].split(\":\");\n\t\tbkWTFPCCookieKey = bkWTFPCCookieKeyArr[0];\n\t\t\n\t\t//Get Meta Values from Cookie\n\t\tvar bkMetaArray = document.getElementsByTagName(\"meta\");\n\t\tfor(var i=0;i<bkMetaArray.length;i++){\n\t\t\tif(bkMetaArray[i].getAttribute(\"name\")){\t\t\t\n\t\t\t\tif(bkMetaArray[i].getAttribute(\"name\").indexOf(\"DCSext.rChannel\")>-1){\n\t\t\t\t\tbk_addPageCtx(\"rch\", bkMetaArray[i].getAttribute(\"content\"));\n\t\t\t\t}\n\t\t\t\tif(bkMetaArray[i].getAttribute(\"name\").indexOf(\"DCSext.rCountry\")>-1){\n\t\t\t\t\tbk_addPageCtx(\"rco\", bkMetaArray[i].getAttribute(\"content\"));\n\t\t\t\t}\n\t\t\t\tif(bkMetaArray[i].getAttribute(\"name\").indexOf(\"WT.cg_n\")>-1){\n\t\t\t\t\tbk_addPageCtx(\"wcntn\", bkMetaArray[i].getAttribute(\"content\"));\n\t\t\t\t}\n\t\t\t\tif(bkMetaArray[i].getAttribute(\"name\").indexOf(\"WT.cg_s\")>-1){\n\t\t\t\t\tbk_addPageCtx(\"wcnts\", bkMetaArray[i].getAttribute(\"content\"));\n\t\t\t\t}\n\t\t\t\tif(bkMetaArray[i].getAttribute(\"name\").indexOf(\"DCSext.ContentChannel\")>-1){\n\t\t\t\t\tbk_addPageCtx(\"cc\", bkMetaArray[i].getAttribute(\"content\"));\n\t\t\t\t}\n\t\t\t\tif(bkMetaArray[i].getAttribute(\"name\").indexOf(\"DCSext.ContentType\")>-1){\n\t\t\t\t\tbk_addPageCtx(\"cnt\", bkMetaArray[i].getAttribute(\"content\"));\n\t\t\t\t}\n\t\t\t\tif(bkMetaArray[i].getAttribute(\"name\").indexOf(\"DCSext.PageNumber\")>-1){\n\t\t\t\t\tbk_addPageCtx(\"pn\", bkMetaArray[i].getAttribute(\"content\"));\n\t\t\t\t}\n\t\t\t\tif(bkMetaArray[i].getAttribute(\"name\").indexOf(\"DCSext.PageTotal\")>-1){\n\t\t\t\t\tbk_addPageCtx(\"pt\", bkMetaArray[i].getAttribute(\"content\"));\n\t\t\t\t}\n\t\t\t\tif(bkMetaArray[i].getAttribute(\"name\").indexOf(\"DCSext.VideoType\")>-1){\n\t\t\t\t\tbk_addPageCtx(\"vt\", bkMetaArray[i].getAttribute(\"content\"));\n\t\t\t\t}\n\t\t\t\tif(bkMetaArray[i].getAttribute(\"name\").indexOf(\"DCSext.rAuthor\")>-1){\n\t\t\t\t\tbk_addPageCtx(\"aut\", bkMetaArray[i].getAttribute(\"content\"));\n\t\t\t\t}\n\t\t\t\tif(bkMetaArray[i].getAttribute(\"name\").indexOf(\"DCSext.Comments\")>-1){\n\t\t\t\t\tbk_addPageCtx(\"com\", bkMetaArray[i].getAttribute(\"content\"));\n\t\t\t\t}\n\t\t\t\tif(bkMetaArray[i].getAttribute(\"name\").indexOf(\"DCSext.DartZone\")>-1){\n\t\t\t\t\tvar bkZoneArray = bkMetaArray[i].getAttribute(\"content\").split(\"/\");\n\t\t\t\t\tfor(var z=0;z<bkZoneArray.length;z++){\n\t\t\t\t\t\tvar bkHint = \"z\"+z;\n\t\t\t\t\t\tbk_addPageCtx(bkHint, bkZoneArray[z]);\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\tbk_addPageCtx(\"wtc\", bkWTFPCCookieKey);\t\n\t\tbk_addPageCtx(\"log\", bkLoginCookieValue);\n\t\tbk_addPageCtx(\"soc\", bkSocialLogin);\n\t\tbk_addPageCtx(\"hsh\", bkRegVal);\n\t\tbk_addPageCtx(\"ref\", bkReferrer);\n\t\tbk_addPageCtx(\"sea\", bkSearchVal);\n\t\tbk_doJSTag(4972, 10);\n\t}\t\n\tcatch(e){}\n</script>\n<!-- End BlueKai Tag -->\n\n</body>\r\n</html>\r\n\n"
],
[
"\r\n\r\n \t \r\n \r\n \t<!DOCTYPE html PUBLIC \"-//W3C//DTD XHTML 1.0 Transitional//EN\" \"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd\">\r\n<html xmlns=\"http://www.w3.org/1999/xhtml\" xmlns:pas=\"http://contribute.sfgate.com/2009/pluckApplicationServer\" xml:lang=\"en\" lang=\"en\"><head><!-- eid:article.4510136 -->\t\t<script type=\"text/javascript\">var NREUMQ=NREUMQ||[];NREUMQ.push([\"mark\",\"firstbyte\",new Date().getTime()]);</script>\n<script>var HDN = HDN || {}; HDN.t_firstbyte = Number(new Date());</script>\r\n\t\t\r\n\t<meta http-equiv=\"content-type\" content=\"text/html; charset=utf-8\" />\r\n\r\n\r\n\t\t<!-- generated at 2013-06-05 08:20:09 on prodWCM4 running v3.13.0.25015 -->\r\n\t\t<meta name=\"adwiz-site\" content=\"sfc\" />\r\n\t\t<meta name=\"SKYPE_TOOLBAR\" content=\"SKYPE_TOOLBAR_PARSER_COMPATIBLE\" />\r\n\r\n\t\t\r\n\t\t<script type=\"text/javascript\">\r\n\r\n\t\t\tbizobject_identifier = \"article_4510136\";\r\n\t\t\t\r\n\t\t\t// <![CDATA[\r\n\t\t\t// document.domain = \"hearstnp.com\";\r\n\t\t\tvar requestTime = new Date(1370438410 * 1000);\r\n\r\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t\t\t\r\n\t\t\t\t\r\n\t\t\t\t// bizobject variables\r\n\t\t\t\tvar omni_channelPath = \"News :: Health\";\r\n\t\t\t\tvar omni_title = \"Tiny bit of formula promotes breast-feeding\";\r\n\t\t\t\tvar omni_bizObjectId = \"4510136\";\r\n\t\t\t\tvar omni_className = \"article\";\r\n\t\t\t\tvar omni_publicationDate = \"2013-05-13 07:01:57\";\r\n\t\t\t\tvar omni_sourceSite=\"sfgate\";\r\n\r\n\t\t\t\t// article specific variables\r\n\t\t\t\tvar omni_authorName = \"ERIN ALLDAY\";\r\n\t\t\t\tvar omni_authorTitle = \"\";\r\n\t\t\t\tvar omni_pageNumber = \"1\";\r\n\t\t\t\tvar omni_breakingNewsFlag = \"0\";\r\n\t\t\t\tvar omni_localNewsFlag = \"0\";\r\n\r\n \r\n\t\t\t\tvar omni_premiumStatus = \"free\";\r\n\t\t\t\tvar omni_premiumEndDate = \"\";\r\n \t\t\t\r\n \t\t\t// ]]>\r\n\t\t</script>\r\n\t<!--[if IE 6]><script type=\"text/javascript\" src=\"/js/hdn/utils/DD_belatedPNG_0.0.8a-min.js\"></script><![endif]-->\r\n\t\t<!-- templates/hearst/home/pluckHeadCSS.tpl -->\n\n<link rel=\"stylesheet\" type=\"text/css\" href=\"http://contribute.sfgate.com/ver1.0/pluck/social/social.css\" />\n<link rel=\"stylesheet\" type=\"text/css\" href=\"http://contribute.sfgate.com/ver1.0/pluck/comments/comments.css\" />\n<link rel=\"stylesheet\" type=\"text/css\" href=\"http://contribute.sfgate.com/ver1.0/pluck/pluck.css\" />\n<!--[if IE 6]>\n<link rel=\"stylesheet\" type=\"text/css\" href=\"http://contribute.sfgate.com/ver1.0/pluck/social/social.ie6.css\" />\n<link rel=\"stylesheet\" type=\"text/css\" href=\"http://contribute.sfgate.com/ver1.0/pluck/comments/comments.ie6.css\" />\n<link rel=\"stylesheet\" type=\"text/css\" href=\"http://contribute.sfgate.com/ver1.0/pluck/pluck.ie6.css\" />\n<![endif]-->\n\n<link rel=\"stylesheet\" type=\"text/css\" href=\"/css/hdn/modules/pluckphotos.css\" media=\"all\" />\n\n<!-- templates/hearst/home/pluckHeadCSS.tpl -->\r\n\t <link rel=\"stylesheet\" type=\"text/css\" href=\"/external/css/global.sharedmain.3.13.0.25015.css\" media=\"all\" />\r\n\t <link rel=\"stylesheet\" type=\"text/css\" href=\"/external/css/global.sharedmodules.3.13.0.25015.css\" media=\"all\" />\r\n\t <link rel=\"stylesheet\" type=\"text/css\" href=\"/external/css/global.sharedpages.3.13.0.25015.css\" media=\"all\" />\r\n\r\n\t <link rel=\"stylesheet\" type=\"text/css\" href=\"/external/css/global.sitemain.3.13.0.25015.css\" media=\"all\" />\r\n\t <link rel=\"stylesheet\" type=\"text/css\" href=\"/external/css/global.sitemodules.3.13.0.25015.css\" media=\"all\" />\r\n\t <link rel=\"stylesheet\" type=\"text/css\" href=\"/external/css/global.sitepages.3.13.0.25015.css\" media=\"all\" />\r\n\r\n\t\t<!-- templates/hearst/home/pluckHeadJS.tpl -->\n<meta name=\"title\" content=\"Tiny bit of formula promotes breast-feeding\" />\n<meta name=\"description\" content=\"Giving a little bit of formula - the equivalent of a single bottle over several days - to a newborn who's losing too much weight after birth might actually increase the likelihood that the baby will be breast-feeding three months later, according to a small Bay Area study. In a climate of aggressive public health policy trying to cut down on formula use and encourage new moms to give infants only breast milk, the study results are likely to be controversial, and they may seem counterintuitive, the authors said. [...] for a select group of new mothers who are eager to breast-feed, small doses of formula, given for a short and carefully monitored time, may alleviate some of the stress associated with breast-feeding and, in turn, give them confidence to stick with it, said Dr. Valerie Flaherman, lead author of the study, published Monday in the journal Pediatrics. Breast-feeding is widely supported by doctors and public health authorities, and groups like the World Health Organization and the U.S. Centers for Disease Control and Prevention recommend that women breast-feed babies for at least one year, and give infants nothing but breast milk for the first six months. The study authors said they all are proponents of exclusive breast-feeding, and that the idea behind their study was to find creative ways to help women breast-feed longer. Mothers in the first group were instructed to keep breast-feeding, about eight to 12 times a day, and give their infants about two teaspoons of formula from a syringe after each feeding. First few daysThe formula supplementation lasted only for the first few days after birth, when mothers aren't yet producing regular breast milk. [...] lactation experts not involved in the study said they were wary that mothers might get the message that formula is always an acceptable alternative to breast milk.\" />\n\n<script type=\"text/javascript\" src=\"http://contribute.sfgate.com/ver1.0/Content/ua/scripts/pluckApps.js\"></script>\n<!-- This replaces collected.js we could remove these js if pluck provides code (json.app call) to submit comment to twitter -->\n<script type=\"text/javascript\" src=\"http://contribute.sfgate.com/ver1.0/content/direct/scripts/yahoo-min.js\"></script>\n<script type=\"text/javascript\" src=\"http://contribute.sfgate.com/ver1.0/content/direct/scripts/json-min.js\"></script>\n<script type=\"text/javascript\" src=\"http://contribute.sfgate.com/ver1.0/content/direct/scripts/pork.iframe.js\"></script>\n<script type=\"text/javascript\" src=\"http://contribute.sfgate.com/ver1.0/content/direct/scripts/requestbatch.js\"></script>\n<script type=\"text/javascript\" src=\"http://contribute.sfgate.com/ver1.0/content/direct/scripts/requesttypes.js\"></script>\n<!-- /This replaces collected.js -->\n\n<script type=\"text/javascript\" src=\"http://contribute.sfgate.com/ver1.0/Direct/SocialProxy.js\"></script>\n\n<script type=\"text/javascript\">\n<!--\n// define common vars (with templates values) known by functions\n\n var HDNPluck = HDNPluck || {};\n\n HDNPluck['serverUrl_host'] = 'http://contribute.sfgate.com';\n HDNPluck['serverUrl'] = HDNPluck['serverUrl_host']+'/ver1.0/Direct/Process';\n var serverUrl = HDNPluck['serverUrl']; \n HDNPluck['file'] = 'sfgate-article-4510136';\n HDNPluck['file_pag'] = HDNPluck['file'];\n HDNPluck['isActive'] = '1';\n HDNPluck['full_filepath'] = '/health/article/Tiny-bit-of-formula-promotes-breast-feeding-4510136.php';\n HDNPluck['success_page'] = '/health/articleComments/Tiny-bit-of-formula-promotes-breast-feeding-4510136.php';\n HDNPluck['artcontxt'] = 'article';\n HDNPluck['artsec'] = 'article';\n HDNPluck['categories'] = 'News,Health'.split(',');\n HDNPluck['categories'].unshift('article');\n// -->\n</script>\n\n\n<!-- templates/hearst/home/pluckHeadJS.tpl -->\t\t\r\n\t\t<script type=\"text/javascript\" src=\"/external/js/global.header.3.13.0.25015.js\"></script>\r\n\t\t\r\n\r\n\t\t\r\n\t\t<title>Tiny bit of formula promotes breast-feeding - SFGate</title>\r\n\r\n\t\t<link rel=\"SHORTCUT ICON\" href=\"/favicon.ico\" />\r\n\t\t<link rel=\"apple-touch-icon\" href=\"/apple-touch-icon.png\"/>\r\n\r\n\t\t\r\n\t\t\t<link rel=\"canonical\" href=\"http://www.sfgate.com/health/article/Tiny-bit-of-formula-promotes-breast-feeding-4510136.php\" />\r\n\r\n\t\t\t\r\n\t\t\t\r\n\t\t\t\t<meta name=\"description\" content=\"Giving a little bit of formula - the equivalent of a single bottle over several days - to a newborn who's losing too much weight after birth might actually increase the likelihood that the baby will be breast-feeding three months later, according to a small Bay Area study. In a climate of aggressive public health policy trying to cut down on formula use and encourage new moms to give infants only breast milk, the study results are likely to be controversial, and they may seem counterintuitive, the authors said. [...] for a select group of new mothers who are eager to breast-feed, small doses of formula, given for a short and carefully monitored time, may alleviate some of the stress associated with breast-feeding and, in turn, give them confidence to stick with it, said Dr. Valerie Flaherman, lead author of the study, published Monday in the journal Pediatrics. Breast-feeding is widely supported by doctors and public health authorities, and groups like the World Health Organization and the U.S. Centers for Disease Control and Prevention recommend that women breast-feed babies for at least one year, and give infants nothing but breast milk for the first six months. The study authors said they all are proponents of exclusive breast-feeding, and that the idea behind their study was to find creative ways to help women breast-feed longer. Mothers in the first group were instructed to keep breast-feeding, about eight to 12 times a day, and give their infants about two teaspoons of formula from a syringe after each feeding. First few daysThe formula supplementation lasted only for the first few days after birth, when mothers aren't yet producing regular breast milk. [...] lactation experts not involved in the study said they were wary that mothers might get the message that formula is always an acceptable alternative to breast milk.\" />\r\n\r\n\t\t\t\t\t\t\r\n\t\t\t\t<meta name=\"keywords\" content=\"formula,formula supplementation,study authors,baby,public health,breast milk,tiny bit,study,daysThe formula supplementation,differenceThe study authors,women,public health authorities,mother,public health policy,health benefits,group,baby formula,infants,study results,reasons women,mothers attempt,author,formula group,women stick,milk,staff writer,lactation experts,birth,feeding cycle,supplementation,nipple confusion,birth weight,hospital,follow-up research,health,producing regular,small-scale trial,weight,aggressive public health,lead author,option,lactation,acceptable alternative,creative ways,pediatrician,Distinct resultsAt,medical director,exclusive,dichotomous thinking,breast,single bottle,stanford,viable option,key complaint,results,bottle,rubber nipple,doctors,control group,lower risks,teaspoons,managed formula,feeding\" />\r\n\r\n\t\t\t\r\n\t\t\t\r\n\t\t\t\t\t\t\t<meta name=\"author.name\" content=\"Erin Allday\" />\r\n\t\t\t\t<meta name=\"author.title\" content=\"\" />\r\n\t\t\t\t<meta name=\"date.release\" content=\"2013/13/05\" />\r\n\t\t\t\t<meta name=\"time.release\" content=\"0:01\" />\r\n\t\t\t\t<meta name=\"publisher\" content=\"San Francisco Chronicle\" />\r\n\t\t\t\t<meta name=\"sections\" content=\"News,Health\" />\r\n\t\t\t\t<meta name=\"subject\" content=\"children,preventative medicine,health organisations,family,infants\" />\r\n\t\t\t\t\t\t\t\t\t<meta name=\"ICBM\" content=\"37.7632498, -122.4579294\" />\r\n\t\t\t\t\t\t\t\t\t<meta name=\"ICBM\" content=\"37.424106, -122.1660756\" />\r\n\t\t\t\t\t\t\t\t \r\n \r\n\r\n \t\t\t\r\n\t\t\t\n\n <meta property=\"og:title\" content=\"Tiny bit of formula promotes breast-feeding\" />\n <meta property=\"og:description\" content=\"Giving a little bit of formula - the equivalent of a single bottle over several days - to a newborn who&#039;s losing too much weight after birth might actually increase the likelihood that the baby will be breast-feeding three months later, according to a small Bay Area study. In a climate of aggressive public health policy trying to cut down on formula use and encourage new moms to give infants only breast milk, the study results are likely to be controversial, and they may seem counterintuitive, the authors said. [...] for a select group of new mothers who are eager to breast-feed, small doses of formula, given for a short and carefully monitored time, may alleviate some of the stress associated with breast-feeding and, in turn, give them confidence to stick with it, said Dr. Valerie Flaherman, lead author of the study, published Monday in the journal Pediatrics. Breast-feeding is widely supported by doctors and public health authorities, and groups like the World Health Organization and the U.S. Centers for Disease Control and Prevention recommend that women breast-feed babies for at least one year, and give infants nothing but breast milk for the first six months. The study authors said they all are proponents of exclusive breast-feeding, and that the idea behind their study was to find creative ways to help women breast-feed longer. Mothers in the first group were instructed to keep breast-feeding, about eight to 12 times a day, and give their infants about two teaspoons of formula from a syringe after each feeding. First few daysThe formula supplementation lasted only for the first few days after birth, when mothers aren&#039;t yet producing regular breast milk. [...] lactation experts not involved in the study said they were wary that mothers might get the message that formula is always an acceptable alternative to breast milk.\" />\n <meta property=\"og:type\" content=\"article\" />\n <meta property=\"og:url\" content=\"http://www.sfgate.com/health/article/Tiny-bit-of-formula-promotes-breast-feeding-4510136.php#src=fb\" />\n <meta property=\"og:image\" content=\"http://ww1.hdnux.com/photos/21/47/10/4616764/6/150x150.jpg\" />\n <meta property=\"og:site_name\" content=\"SFGate\" />\n\n \n <meta property=\"og:latitude\" content=\"37.7632498\"/>\n <meta property=\"og:longitude\" content=\"-122.4579294\"/>\n <meta property=\"og:street-address\" content=\"UCSF, University of California San Francisco Medical Center, 505 Parnassus Avenue, San Francisco, CA 94143, USA\"/>\n <meta property=\"og:locality\"content=\"San Francisco\"/>\n <meta property=\"og:region\" content=\"CA\"/>\n <meta property=\"og:postal-code\" content=\"94143\"/>\n <meta property=\"og:country-name\" content=\"USA\"/>\n \r\n\t\t<!-- /business/templates/hearst/home/header_fbpage.tpl-->\n <meta property=\"fb:page_id\" content=\"105702905593\" />\n <meta property=\"fb:admins\" content=\"653226748,681491972,1561585996,100001146826482,100001539234772,601331469,653226748,58963564,710213297\"/>\n \r\n \r\n <script type=\"text/javascript\" id=\"adPositionManagerScriptTag\" src=\"http://aps.hearstnp.com/Scripts/loadAds.js\"></script>\r\n\r\n \r\n\r\n<!-- CSS/JS Hotfix freeform -->\r\n\r\n<!-- hearst/item/standalone.tpl -->\n<!-- mid:freeform.14477 -->\n<!-- Olive e-Edition -->\r\n<link rel=\"stylesheet\" type=\"text/css\" href=\"/css/hdn/utils/olive_modal.css\">\r\n<script type=\"text/javascript\" src=\"/js/hdn/utils/jquery.digitaldoor.js\"></script>\r\n\r\n<style>\r\n.hst-dippromo .detail,\r\n.hst-featurepromo .detail {\r\n font-size: 12px;\r\n line-height: 15px;\r\n}\r\n.hst-newGallery .hst-mediumrectangle, .photo-Gallery .hst-mediumrectangle {\r\npadding: 0;\r\n}\r\n.hst-articletools2 .arbox {float: left; margin: 0 9px 0 0; padding-top: 2px;}\r\n.hst-articletools2 .last {margin: 0;}\r\n\r\n.hst-siteheader .sitenav a {padding: 8px 9px 4px 9px !important;}\r\n\r\n/* temp remove anniversary logo */\r\n#sitecopyright { background:none; }\r\n#sitecopyright a { margin-left:0; }\r\n#sitecopyright img { margin:7px; }\r\n</style>\r\n\r\n<LINK href=\"/css/hdn/modules/pluck_cache_comments.css\" rel=\"stylesheet\" type=\"text/css\">\n\r\n\r\n\t</head>\r\n\r\n<body class=\"body health hst-article\">\r\n <script type=\"text/javascript\" src=\"/external/js/global.top.3.13.0.25015.js\"></script>\r\n \t\t\t<!-- ux/sfgate/tmpl/article_omniture.php -->\n<script type=\"text/javascript\" src=\"/js/omniture/analyticsconfig.js\"></script>\n<script type=\"text/javascript\" src=\"/js/hdn/omniture/s_code.js\"></script>\n<script type=\"text/javascript\" src=\"/js/hdn/omniture/analyticswcm.js\"></script>\n<!-- e ux/sfgate/tmpl/article_omniture.php -->\n\t\t\r\n<div id=\"outer_bg_container\">\r\n <!-- outer gradient background image repeat-y -->\r\n <div id=\"inner_bg_container\">\r\n <!-- top fading gradient image fixed -->\t\r\n \r\n <div class=\"container\">\r\n\r\n<!-- ux/sfgate/tmpl/site_first_content.php -->\n<!-- end ux/sfgate/tmpl/site_first_content.php -->\n\r\n\r\n <!-- business/templates/hearst/home/navigation.tpl -->\r\n<div class=\"hst-siteheader\">\r\n <p class=\"skip\">(<a href=\"#skip\">skip this header</a>)</p>\r\n\r\n <div class=\"row1 clearfix\">\r\n <div class=\"buttonone\" id=\"buttonone1\">\r\n <div class=\"creative\">\r\n <div id=\"A120\" class=\"ad_deferrable\"><script type=\"text/javascript\">/*<![CDATA[*/ hearstPlaceAd(\"A120\"); /*]]>*/</script></div> </div>\r\n </div>\r\n <div class=\"leaderboard\" id=\"leaderboard1\">\r\n <div class=\"creative\">\r\n <!-- ux/sfgate leaderboard.tpl -->\n <div id=\"A728\" class=\"ad_deferrable\"><script type=\"text/javascript\">/*<![CDATA[*/ hearstPlaceAd(\"A728\"); /*]]>*/</script></div> \n<!-- ux/sfgate leaderboard.tpl -->\r\n </div>\r\n </div>\r\n \r\n <!-- hearst/item/standalone.tpl -->\n<div class=\"hdnce-e hdnce-item-6671\"><!-- mid:freeform.6671 -->\n<div class=\"hst-topzone\">\r\n\t<a href=\"http://myaccount.sfchronicle.com/dsssubscribe.aspx?pid=95\" target=\"_blank\" border=\"0\"><img src=\"http://extras.sfgate.com/img/modules/siteheader/chron_we_promo.gif\"></a>\r\n</div>\r\n<style>\r\n.hst-siteheader .buttonone {\r\n width: 0;\r\n height: 0;\r\n background: none;\r\n float: left;\r\n margin: 0 10px;\r\n}\r\n.hst-siteheader .leaderboard {\r\n width: 728px;\r\n height: 90px;\r\n float: right;\r\n margin-right:10px;\r\n}\r\n.hst-topzone {\r\n float: left;\r\n width: 242px;\r\n height: 90px;\r\n background: none !important;\r\n margin: 0 10px;\r\n position: static;\r\n top: 0;\r\n left: 0;\r\n}\r\n</style>\n</div> </div>\r\n\r\n <!-- ux/sfgate/templates/hearst/home/header_branding.tpl -->\n\n<!-- .row2b -->\n <div class=\"row2b clearfix\" id=\"row2\">\n \t<!-- .midsection -->\n \t<div class=\"midsection\">\n\t <div id=\"usertools1\" class=\"usertools\">\n\t \t\n\t </div>\n\t\n\t\t\t\t\n\t\t\t\t\n<!-- noGen: item_site_links -->\n\t\t \n\t\t<div class=\"weather clearfix png\" id=\"weatherbg\">\n\t\t\t<div class=\"brand\">\n\t\t\t\t<a href=\"/\"><img src=\"/img/modules/siteheader/brand.png\" alt=\"SFGate\" class=\"png\"/></a>\n\t\t\t\t<p class=\"tagline\">Wednesday Jun 05, 2013 7:01 AM PT</p>\n\t\t\t</div>\n\t\t\t\n\t\t\t<div class=\"conds\">\n\t\t\t\t<div class=\"degree\">&deg;<span id=\"weatherscale\" class=\"weatherscale\"></span></div>\n\t\t\t\t<div id=\"weathertemp\"></div>\n\t\t\t</div>\n\t\t\t<div class=\"location\">\n\t\t\t\t<div class=\"cityname\">\n\t\t\t\t\t<span id=\"weatherloc\" class=\"cityname\"></span>\n\t\t\t\t\t<span class=\"change\">(<a href=\"javascript:void(0);\" id=\"cityChange\">change</a>)</span>\n\t\t\t\t</div>\n\t\t\t\t<span id=\"weathercond\" class=\"cond\"></span>\n\t\t\t\t<div class=\"row clearfix\">\n\t\t\t\t\t<div class=\"day1\" id=\"weatherTodayClass\">\n\t\t\t\t\t\t<p>Today</p>\n\t\t\t\t\t\t<p class=\"temps\"><span id=\"weatherTodayLow\" class=\"low\"></span>/<span id=\"weatherTodayHigh\" class=\"high\"></span></p>\n\t\t\t\t\t</div>\n\t\t\t\t\t<div class=\"day2\" id=\"weatherTomorrowClass\">\n\t\t\t\t\t\t<p id=\"weatherTomorrowDay\"></p>\n\t\t\t\t\t\t<p class=\"temps\"><span id=\"weatherTomorrowLow\" class=\"low\"></span>/<span id=\"weatherTomorrowHigh\" class=\"high\"></span></p>\n\t\t\t\t\t</div>\n\t\t\t\t</div>\n\t\t\t</div>\n\t\t\t<div class=\"links\">\n\t\t\t\t<span id=\"weatherFiveDay\"></span>\n<!--\n\t\t\t\t<a href=\"http://www.sfgate.com/weather/San_Jose\" class=\"forecast\" id=\"HwLink\"><img src=\"/img/modules/siteheader/wea001/arrow.gif\"> <span id=\"HwFDF\">5 Day Forecast</span></a>\n-->\n\t\t\t\t<a href=\"/traffic\" class=\"traffic\"><img src=\"/img/modules/siteheader/wea001/arrow.gif\"> Traffic</a>\n\t\t\t</div>\n\t\t</div>\n\t\t<div class=\"halfbanner\">\n\t\t\t<div class=\"creative\">\n\t\t\t\t\n\t\t\t\t<div id=\"A234\" class=\"ad_deferrable\">\n\t\t\t\t\t<script type=\"text/javascript\">\n\t\t\t\t\t\t/*<![CDATA[*/\n\t\t\t\t\t\thearstPlaceAd(\"A234\");\n\t\t\t\t\t\t/*]]>*/\n\t\t\t\t\t</script>\n\t\t\t\t</div>\n\t\t\t\t\n\t\t\t</div>\n\t\t</div>\n\t\t<div id=\"weatherPopupMenu\">\n\t\t\t<div class=\"menu\">\n\t\t\t\t<a href=\"javascript:void(0);\">\n\t\t\t\t\t<img alt=\"close\" src=\"/img/modules/siteheader/closeBtn.gif\" class=\"closeBtn close\">\n\t\t\t\t</a> \n\t\t\t\t<span style=\"display:inline block\"><a href=\"javascript:void(0);\" class=\"close\">(change your city)</a></span>\n\t\t\t\t<div class=\"list\">\n \n <script> \n (function($) {\n cZip = GetCookie('DefLoc');\n });\n document.write(cZip); </script>\n \n <p><input type=\"radio\" value=\"94101\" name=\"weatherBtn\">San Francisco</p>\n\t\t\t\t<p><input type=\"radio\" value=\"95401\" name=\"weatherBtn\">Santa Rosa</p>\n\t\t\t\t<p><input type=\"radio\" value=\"94559\" name=\"weatherBtn\">Napa</p>\n\t\t\t\t<p><input type=\"radio\" value=\"94518\" name=\"weatherBtn\">Concord</p>\n\t\t\t\t<p><input type=\"radio\" value=\"94601\" name=\"weatherBtn\">Oakland</p>\n\t\t\t\t<p><input type=\"radio\" value=\"94550\" name=\"weatherBtn\">Livermore</p>\n\t\t\t\t<p><input type=\"radio\" value=\"94541\" name=\"weatherBtn\">Hayward</p>\n\t\t\t\t<p><input type=\"radio\" value=\"94070\" name=\"weatherBtn\">San Carlos</p>\n\t\t\t\t<p><input type=\"radio\" value=\"94301\" name=\"weatherBtn\">Palo Alto</p>\n\t\t\t\t<p><input type=\"radio\" value=\"95101\" name=\"weatherBtn\">San Jose</p>\n\t\t\t\t<p><input type=\"radio\" value=\"94533\" name=\"weatherBtn\">Fairfield</p>\n\t\t\t\t<p><input type=\"radio\" value=\"94040\" name=\"weatherBtn\">Mountain View</p>\n\t\t\t\t<p><input type=\"radio\" value=\"93940\" name=\"weatherBtn\">Monterey</p>\n </div>\n\t\t\t</div>\n\t\t</div>\n\n</div>\n\t<!-- /.midsection -->\n\n\t<!-- .searchtools -->\n <div class=\"searchtools\">\n\t\t<form action=\"/search/?\" method=\"get\" target=\"_top\">\n \t\t<input type=\"hidden\" name=\"action\" value=\"search\" />\n\t \t<input type=\"hidden\" name=\"channel\" value=\"health\" />\n\t \t<input type=\"hidden\" name=\"search\" value=\"1\" />\n\t \t<input type=\"hidden\" name=\"firstRequest\" value=\"1\" />\n\n\t\t<div class=\"searchtermbar\">\n\t\t\t<input name=\"query\" type=\"text\" value=\"\" class=\"textInputNote\">\n\t\t\t<input type=\"image\" value=\"\" src=\"/img/modules/siteheader/searchbar_btn.gif\" id=\"searchbtn\">\n\t\t</div>\n <table><tbody><tr>\n <td class=\"searchoption_radio first\"><input type=\"radio\" value=\"property\" name=\"searchindex\" checked=\"checked\"></td>\n <td class=\"searchoption\">sfgate.com</td>\n <td class=\"searchoption_radio\"><input type=\"radio\" value=\"yahoo\" name=\"searchindex\"></td>\n <td class=\"searchoption\">Web Search by <span class=\"yahoo\">YAHOO!</span></td>\n\t\t <td class=\"searchoption_radio\"><input type=\"radio\" value=\"businesses\" name=\"searchindex\"></td>\n <td class=\"searchoption\">Businesses</td>\n </tr></tbody></table>\n \t</form>\n </div>\n <!-- /.searchtools -->\n\t\n\t<p class=\"user_tools\">\n\t\t<script type=\"text/javascript\">\n\t\t\t// <![CDATA[\n\t\t\tif ( typeof window.print_sfgate_un != \"undefined\" ) {\n\t\t\t\tprint_sfgate_un();\n\t\t\t}\n\t\t\t// ]]>\n\t\t</script>\n\t</p>\n\t\n </div>\n <!--/.row2b -->\n<!-- /ux/sfgate/templates/hearst/home/header_branding.tpl -->\r\n <!-- NAV MENU START -->\r\n\r\n\r\n<script type=\"text/javascript\">\r\n var defaultSiteNavId = '978';\r\n</script>\r\n\r\n\r\n<!-- hearst/sitemenu/dynamic.tpl -->\n\n\n<!-- ux/sfgate menuSiteNav.tpl -->\n<div id=\"menu_sitenav\" class=\"sitenav clearfix\">\n\n \n \n <ul class=\"list1\"><li id=\"sitenav_979\" class=\"first\"/><a href=\"/\">Home</a></li><li id=\"sitenav_978\" class=\"\"/><a href=\"/news/\">News</a></li><li id=\"sitenav_980\" class=\"\"/><a href=\"/sports/\">Sports</a></li><li id=\"sitenav_981\" class=\"\"/><a href=\"/business/\">Business</a></li><li id=\"sitenav_982\" class=\"\"/><a href=\"/entertainment/\">Entertainment</a></li><li id=\"sitenav_983\" class=\"\"/><a href=\"/food/\">Food</a></li><li id=\"sitenav_984\" class=\"\"/><a href=\"/living/\">Living</a></li><li id=\"sitenav_985\" class=\"\"/><a href=\"/travel/\">Travel</a></li><li id=\"sitenav_986\" class=\"\"/><a href=\"/blogs/\">Blogs</a></li><li id=\"sitenav_987\" class=\"last\"/><a href=\"http://findnsave.sfgate.com/\">Shopping</a></li></ul>\n \n \n <ul class=\"list3\">\n \t<li id=\"sitenav_0\"><a class=\"list3_index\" href=\"/index/\"\n \t \t \t \tid=\"index\"\n \t \t>Index &#9660;</a></li>\n </ul>\n \n <ul class=\"list2\"><li id=\"sitenav_990\" class=\"first\"/><a href=\"/cars/\">Cars</a></li><li id=\"sitenav_988\" class=\"\"/><a href=\"/jobs/\">Jobs</a></li><li id=\"sitenav_989\" class=\"last\"/><a href=\"/realestate/\">Real Estate</a></li></ul>\n \n\n \n</div>\n<!-- ux/sfgate menuSiteNav.tpl -->\n\n\n <div class=\"sponsor\"><a href=\"/circular/target/\"><img src=\"/img/partners/target/target_weekly_ad_animated.gif\" width=\"86px\" height=\"29px\"></a></div> \n\n<div class=\"hst-navIndex\" id=\"navIndex\">\n <div class=\"content\">\n <div class=\"title clearfix\">\n <div class=\"indexheader\"><a href=\"#\" id=\"navIndex-close\">Close [X]</a></div>\n Quick links to other pages on this site <span class=\"pipe\">|</span> Still can't find it? see <a href=\"/index/\">Site Index</a>\n </div>\n <div class=\"columns\" id=\"navIndex-columns\">\n <div class=\"clear\"></div>\n </div>\n <!--/.columns-->\n </div>\n <!--/.content-->\n</div>\n\n<div id=\"subnav_979\" class=\"subnav clearfix hidden\"><ul class=\"list1\"><li class=\"label\">Don't Miss:</li><li class=\"first\"><a href=\"http://blog.sfgate.com/49ers/2013/06/04/jim-harbaugh-turns-up-on-judge-judy/\">Harbaugh turns up on Judge Judy</a></li><li><a href=\"http://blog.sfgate.com/techchron/2013/06/04/twitters-jack-dorsey-vines-from-atop-the-bay-bridge/\">Vines from atop Bay Bridge</a></li><li><a href=\"/technology/businessinsider/article/YES-Amazon-Will-Start-Delivering-Your-Groceries-4576596.php\">Amazon delivers your groceries</a></li><li><a href=\"/technology/businessinsider/article/Boston-Bombing-Suspect-s-Mother-Releases-4576183.php\">Tsarnaev's voice on call</a></li><li><a href=\"http://insidescoopsf.sfgate.com/blog/2013/06/04/mikkeller-bar-hires-a-chef-as-its-san-francisco-debut-approaches/\">Mikkeller Bar hires a chef</a></li></ul></div>\n<div id=\"subnav_978\" class=\"subnav clearfix hidden\"><ul class=\"list1\"><li class=\"first\"><a href=\"/bayarea/\">Bay Area & State</a></li><li><a href=\"/nation/\">Nation</a></li><li><a href=\"/world/\">World</a></li><li><a href=\"/politics/\">Politics</a></li><li><a href=\"/crime/\">Crime</a></li><li><a href=\"/technology/\">Tech</a></li><li><a href=\"http://www.legacy.com/obituaries/sfgate/\">Obituaries</a></li><li><a href=\"/opinion/\">Opinion</a></li><li><a href=\"/green/\">Green</a></li><li><a href=\"/science/\">Science</a></li><li><a href=\"/health/\">Health</a></li><li><a href=\"/education/\">Education</a></li><li><a href=\"/weird/\">Weird</a></li></ul></div>\n<div id=\"subnav_980\" class=\"subnav clearfix hidden\"><ul class=\"list1\"><li class=\"first\"><a href=\"http://blog.sfgate.com/49ers/\">49ers</a></li><li><a href=\"/raiders/\">Raiders</a></li><li><a href=\"/giants/\">Giants</a></li><li><a href=\"/athletics/\">A's</a></li><li><a href=\"/warriors/\">Warriors</a></li><li><a href=\"/sharks/\">Sharks</a></li><li><a href=\"/quakes/\">Quakes</a></li><li><a href=\"http://stats.sfgate.com/fb/front.asp\">NFL</a></li><li><a href=\"http://stats.sfgate.com/mlb/front.asp\">MLB</a></li><li><a href=\"http://stats.sfgate.com/nba/front.asp\">NBA</a></li><li><a href=\"http://stats.sfgate.com/nhl/front.asp\">NHL</a></li><li><a href=\"/collegesports/\">College</a></li><li><a href=\"/preps/\">Preps</a></li><li><a href=\"http://stats.sfgate.com/golf/front.asp\">Golf</a></li><li><a href=\"/outdoors/\">Outdoors</a></li><li><a href=\"/other/\">Other</a></li><li><a href=\"/sports/tv/\">On TV</a></li><li><a href=\"http://seatgeek.com/san-francisco-california-sports-tickets\">Tickets</a></li><li><a href=\"http://fanshop.sfgate.com/?sourceid=navlink\">Shop</a></li><li><a href=\"/sports/video/\">Video</a></li></ul></div>\n<div id=\"subnav_981\" class=\"subnav clearfix hidden\"><ul class=\"list1\"><li class=\"first\"><a href=\"/technology/\">Technology</a></li><li><a href=\"http://markets.sfgate.com/\">Markets</a></li><li><a href=\"/realestate/\">Real Estate</a></li><li><a href=\"/mortgagerates/\">Mortgage Rates</a></li><li><a href=\"http://homeguides.sfgate.com/\">Home Guides</a></li><li><a href=\"http://www.legalnotice.org/pl/SFGate/landing1.aspx\">Public Notices</a></li><li><a href=\"/business/press-releases/\">Press Releases</a></li><li><a href=\"/sponsoredarticles/business/\">Sponsored Content</a></li></ul></div>\n<div id=\"subnav_982\" class=\"subnav clearfix hidden\"><ul class=\"list1\"><li class=\"first\"><a href=\"/movies/\">Movies</a></li><li><a href=\"/music/\">Music & Nightlife</a></li><li><a href=\"/performance/\">Performance</a></li><li><a href=\"/art/\">Art</a></li><li><a href=\"http://events.sfgate.com/\">Events</a></li><li><a href=\"/books/\">Books</a></li><li><a href=\"/tv/\">TV & Radio</a></li><li><a href=\"/horoscope/\">Horoscope</a></li><li><a href=\"/comics/\">Comics</a></li><li><a href=\"/games/\">Games</a></li><li><a href=\"/thingstodo/\">Things To Do</a></li></ul></div>\n<div id=\"subnav_983\" class=\"subnav clearfix hidden\"><ul class=\"list1\"><li class=\"first\"><a href=\"/restaurants/\">Restaurants</a></li><li><a href=\"/recipes/\">Recipes</a></li><li><a href=\"/wine/\">Wine</a></li><li><a href=\"/food/top100/2012/\">Top 100 Restaurants</a></li><li><a href=\"/wine/top100/2012/intro/\">Top 100 Wines</a></li><li><a href=\"/food/bargainbites/2012/\">Bargain Bites</a></li><li><a href=\"http://www.opentable.com/start.aspx?m=4&ref=7801\">Reservations</a></li><li><a href=\"http://insidescoopsf.sfgate.com/\">Inside Scoop SF</a></li><li><a href=\"http://healthyeating.sfgate.com/\">Healthy Eating</a></li></ul></div>\n<div id=\"subnav_984\" class=\"subnav clearfix hidden\"><ul class=\"list1\"><li class=\"first\"><a href=\"/homeandgarden/\">Home & Garden</a></li><li><a href=\"/style/\">Style</a></li><li><a href=\"/outdoors/\">Outdoors</a></li><li><a href=\"/skiing/\">Ski & Snow</a></li><li><a href=\"/health/\">Health</a></li><li><a href=\"/green/\">Green</a></li><li><a href=\"/lgbt/\">LGBT</a></li><li><a href=\"http://sfgate.houzz.com\">Houzz</a></li><li><a href=\"http://dating.sfgate.com/?utm_source=sfgate_nav\">Dating</a></li><li><a href=\"/moms/\">Moms</a></li><li><a href=\"/pets/\">Pets</a></li><li><a href=\"/sponsoredarticles/lifestyle/\">Sponsored Content</a></li></ul></div>\n<div id=\"subnav_985\" class=\"subnav clearfix hidden\"><ul class=\"list1\"><li class=\"first\"><a href=\"/getaways/\">Weekend Getaways</a></li><li><a href=\"/sfguide/\">SF Guide</a></li><li><a href=\"/neighborhoods/\">Neighborhoods</a></li><li><a href=\"/winecountry/\">Wine Country</a></li><li><a href=\"/monterey-carmel/\">Monterey-Carmel</a></li><li><a href=\"/renotahoe/\">Reno-Tahoe</a></li><li><a href=\"/hawaii/\">Hawaii</a></li><li><a href=\"/mexico/\">Mexico</a></li></ul></div>\n<div id=\"subnav_986\" class=\"subnav clearfix hidden\"></div>\n<div id=\"subnav_987\" class=\"subnav clearfix hidden\"><ul class=\"list1\"><li class=\"first\"><a href=\"http://sfgate.kaango.com/\">Classifieds</a></li></ul><ul class=\"list2\"><li class=\"first\"><a href=\"http://dailydeals.sfgate.com/\">Daily Deals</a></li></ul></div>\n<div id=\"subnav_990\" class=\"subnav clearfix hidden\"><ul class=\"list1\"><li class=\"first\"><a href=\"http://cars.sfgate.com/Dealers?zipCode=94103&make=&maxDistance=100&sortBy=1\">Dealers</a></li><li><a href=\"http://www.sfgate.com/columns/clickandclack/\">Click and Clack</a></li><li><a href=\"http://blog.sfgate.com/topdown/\">Car Blog</a></li><li><a href=\"http://www.sfgate.com/columns/myride/\">My Ride</a></li><li><a href=\"http://www.sfgate.com/carphotos/\">Car Galleries</a></li><li><a href=\"/cars/sellyourcar/\">Sell Your Car</a></li></ul></div>\n<div id=\"subnav_988\" class=\"subnav clearfix hidden\"><ul class=\"list1\"><li class=\"first\"><a href=\"http://career-advice.local-jobs.monster.com/resumes-cover-letters/careers.aspx?ch=sanfranchron\">Career Advice</a></li><li><a href=\"http://www.bizbuysell.com/partner/san-francisco-businesses-for-sale\">Be Your Own Boss</a></li><li><a href=\"http://events.sfgate.com/search?acat=&new=n&sort=0&srad=50&srss=10&ssrss=5&st=event&svt=text&swhat=&swhen=&swhere=San+Francisco%2CCA&trim=1&cat=1111\">Job Events</a></li><li><a href=\"http://www.monster-match.com/jobs/index.html?pid=310\">Monster Match</a></li><li><a href=\"/jobs/placeanad/\">Advertise</a></li><li><a href=\"http://bayarea.salary.com/SalaryWizard/LayoutScripts/Swzl_NewSearch.aspx\">Salary Wizard</a></li></ul></div>\n<div id=\"subnav_989\" class=\"subnav clearfix hidden\"><ul class=\"list1\"><li class=\"first\"><a href=\"/newhomes/\">New Homes</a></li><li><a href=\"/openhomes/\">Open Homes</a></li><li><a href=\"/luxuryhomes/\">Luxury</a></li><li><a href=\"/rentals/\">Rentals</a></li><li><a href=\"/mortgagerates/\">Mortgage Rates</a></li><li><a href=\"http://www.loopnet.com/looplink/sfgate/searchpage.aspx\">Commercial</a></li><li><a href=\"http://www.landsofamerica.com/landsconnector/san-francisco-chronicle/\">Land</a></li><li><a href=\"/realestate/advertise/\">Place an ad</a></li><li><a href=\"http://homeguides.sfgate.com/\">Home Guides</a></li><li><a href=\"http://www.sfgate.com/webdb/homesales\">Homesales</a></li><li><a href=\"http://www.sfgate.com/webdb/foreclosures\">Foreclosures</a></li></ul></div>\n\n<div id=\"subnav_0\" class=\"subnav clearfix hidden\"></div>\n\n<!-- e hearst/sitemenu/dynamic.tpl --><!-- hearst/common/channel_subnav.tpl -->\n<!-- e hearst/common/channel_subnav.tpl -->\r\n\r\n<!-- NAV MENU END -->\r\n\r\n\r\n</div>\r\n<!--/.siteheader -->\r\n\r\n<div class=\"hst-billboard\">\n\t\t\t<div id=\"RM\" class=\"ad_deferrable\"><script type=\"text/javascript\">/*<![CDATA[*/ hearstPlaceAd(\"RM\"); /*]]>*/</script></div>\n\t\t\n\t<div id=\"A951\" class=\"ad_deferrable\"><script type=\"text/javascript\">/*<![CDATA[*/ hearstPlaceAd(\"A951\"); /*]]>*/</script></div>\n\t\n</div>\r\n<!-- e business/templates/hearst/home/navigation.tpl -->\r\n\r\n\r\n <div class=\"pagecontent faux-21 hst-articlecontent news\">\r\n\r\n \r\n\r\n <!-- templates/design/article/story_page.tpl -->\n\n<div class=\"faux-21 clearfix\">\n <div class=\"span-21b clearfix\">\n\n\t\t<!-- hearst/article/types/story.tpl -->\n\n<table class=\"hst-articleprinter\">\n <tr>\n <td class=\"print\"><form><input type=\"submit\" value=\"Print This Article\" onclick=\"print();return false;\" /></form></td>\n <td class=\"back\"><a href=\"/health/article/Tiny-bit-of-formula-promotes-breast-feeding-4510136.php\">&laquo; Back to Article</a></td>\n </tr>\n</table>\n\n<div id=\"hst-printable-ad\" class=\"hst-printable-ad\">\n</div><div class=\"hnews hentry item\">\n<!-- src/business/templates/hearst/article/types/standard_title.tpl -->\n\n <div class=\"hst-articletitle articletitle\">\n <p class=\"brand\"><!-- BRAND --></p>\n <!-- src/business/templates/hearst/article/headline.tpl -->\n <h1 class=\"headline entry-title\">Tiny bit of formula promotes breast-feeding</h1>\n <h5 class=\"deck\">A tiny bit of formula encourages nursing in small-scale trial</h5>\n <!-- e src/business/templates/hearst/article/headline.tpl -->\n <!-- src/business/templates/hearst/article/types/byline.tpl -->\n\n<h5 class=\"byline\"><span class=\"name\">Erin Allday</span></h5>\n<!-- e src/business/templates/hearst/article/types/byline.tpl -->\n <h5 class=\"timestamp updated\" title=\"2013-05-13T00:02:25Z\">\n Published 12:02&nbsp;am, Monday, May 13, 2013\n </h5>\n </div>\n\n<!-- e src/business/templates/hearst/article/types/standard_title.tpl -->\n\n <!-- design/gallery/main.tpl -->\n\n <div class=\"hst-galleryitem clearfix\">\n <div class=\"header clearfix\">\n \n \n \n </div>\n <ul class=\"clearfix\">\n <li id=\"hst_galleryitem_index1\">\n <a><img id=\"sfgate-photo-4616764\" src=\"http://ww1.hdnux.com/photos/21/47/10/4616764/6/628x471.jpg\" alt=\"BOTTLES09_19593.JPG Glass baby bottles, long considered an anachronism, are making such a comeback that parents can't get their hands on them. 16 mo old Lucina Lippman from Berkeley holds a new glass bottle with organic formula. Photo: Lance Iversen, The Chronicle\" /></a>\n \n \n<!-- src/business/templates/design/gallery/caption.tpl -->\n\n\t\n\t\t<div class=\"caption\">\n\t\t\t<p>BOTTLES09_19593.JPG Glass baby bottles, long considered an anachronism, are making such a comeback that parents can't get their hands on them. 16 mo old Lucina Lippman from Berkeley holds a new glass bottle with organic formula.</p>\n\t\t\t\t\t\t\tPhoto: Lance Iversen, The Chronicle\n\t\t\t\t\t\t\t\t</div><div id=\"sfgate-photo-4616764-caption\" style=\"display:none;\"><p>BOTTLES09_19593.JPG Glass baby bottles, long considered an...</p>\n</div>\n\n\t\n<!-- /src/business/templates/design/gallery/caption.tpl -->\n\n </li>\n </ul>\n\n \n </div><!--/.hst-galleryitem-->\n\n <p>&nbsp;</p>\n \n <!-- e design/gallery/main.tpl --> \n <script type=\"text/javascript\">\n jQuery(function($) {\n $.storySlideshow(354);\n });\n </script>\n \n<script type=\"text/javascript\" src=\"/js/hdn/slideshow/refresh.js?3.13.0.25015\"></script>\n<iframe style=\"display:none;\" id=\"galleryrefresher\" name=\"galleryrefresher\" src=\"/tmpl/slideshow_empty.html\"></iframe>\n<iframe style=\"display:none;\" id=\"gallery_pos_refresher\" name=\"gallery_pos_refresher\" src=\"/tmpl/slideshow_empty.html\"></iframe>\n<script>HDN.doRefresh = 1;</script>\n <div class=\"hst-articlebox\">\n \n \r\n\r\n<!-- temporary inline style, don't judge me! -->\r\n<link rel=\"stylesheet\" type=\"text/css\" href=\"http://static.ak.fbcdn.net/connect.php/css/share-button-css\" media=\"all\" />\r\n<style type=\"text/css\">\r\n.fb_share_count_wrapper {\r\n width: 52px;\r\n}\r\n.FBConnectButton_Small .FBConnectButton_Text {\r\n padding:2px 2px 3px 3px;\r\n}\r\n.FBConnectButton_Small, .FBConnectButton_RTL_Small {\r\n font-size:9px;\r\n line-height:10px;\r\n}\r\n.print_link {\r\n height: 25px;\r\n}\r\n</style>\r\n\r\n<div class=\"hst-articletools\">\r\n <div id=\"tweetmeme_1\" style=\"float: left;\">\r\n <a href=\"http://twitter.com/share\" class=\"twitter-share-button\" data-url=\"http://www.sfgate.com/health/article/Tiny-bit-of-formula-promotes-breast-feeding-4510136.php?cmpid=twitter\" data-count=\"vertical\" data-via=\"SFGate\">Tweet</a><script type=\"text/javascript\" src=\"http://platform.twitter.com/widgets.js\"></script>\r\n </div>\r\n <div style=\"float: left; width:45px; padding-left:8px;\">\r\n <iframe src=\"http://www.facebook.com/plugins/like.php?href=http%3A%2F%2Fwww.sfgate.com%2Fhealth%2Farticle%2FTiny-bit-of-formula-promotes-breast-feeding-4510136.php%3Fcmpid%3Dfb&amp;layout=box_count&amp;show_faces=false&amp;width=50&amp;action=like&amp;font=tahoma&amp;colorscheme=light&amp;height=65\" scrolling=\"no\" frameborder=\"0\" style=\"border:none; overflow:hidden; width:50px; height:65px;\" allowTransparency=\"true\"></iframe>\r\n </div>\r\n <div style=\"float: left; padding-left: 8px;margin-right:8px;\">\r\n <g:plusone size=\"tall\" href=\"http://www.sfgate.com/health/article/Tiny-bit-of-formula-promotes-breast-feeding-4510136.php?cmpid=gplus\"></g:plusone>\r\n </div>\r\n<script type=\"text/javascript\">\r\n (function() {\r\n var po = document.createElement('script'); po.type = 'text/javascript'; po.async = true;\r\n po.src = 'https://apis.google.com/js/plusone.js';\r\n var s = document.getElementsByTagName('script')[0]; s.parentNode.insertBefore(po, s);\r\n })();\r\n</script>\r\n<div style=\"float: left; width:60px;\">\r\n \t\r\n\t<script type=\"text/javascript\">\r\n\t\twindow.name = window.name || 'blah';\r\n\t</script>\r\n \t<script src=\"http://platform.linkedin.com/in.js\" type=\"text/javascript\"></script>\r\n\t\t<script type=\"IN/Share\" data-counter=\"top\"></script>\r\n\t\t\r\n</div>\r\n <div style=\"clear:both; padding-bottom:10px;\"></div>\r\n\r\n <table style=\"float:left; width:50%;\">\r\n <tr>\r\n\t\t\t\t\t\t<td class=\"size print\">\r\n\r\n <a href=\"/health/articleComments/Tiny-bit-of-formula-promotes-breast-feeding-4510136.php?gta=commentlistpos\"><img src=\"/img/pages/article/tools_comments.gif\" alt=\"\" />Comments (<span class=\"HDNPluck_comment_results_count_np\">0</span>)</a>\r\n </td>\r\n\t\t\t\r\n </tr>\r\n\t\t <tr>\r\n\r\n <td class=\"size\">\r\n <img src=\"/img/pages/article/tools_size.gif\" alt=\"\" />\r\n <a class=\"larger\" href=\"javascript:hst_chsize('plus')\">Larger</a> | <a class=\"text\" href=\"javascript:hst_chsize('minus')\">Smaller</a>\r\n </td>\r\n </tr>\r\n\t\t <tr>\r\n <td class=\"print print_link\">\r\n <a href=\"javascript:hst_print();\"><img src=\"/img/pages/article/tools_print.gif\" alt=\"\" />Printable Version</a>\r\n </td>\r\n </tr>\r\n \r\n </table>\r\n <table style=\"float:left; width:45%;\">\r\n \r\n <tr>\r\n <td class=\"print size\">\r\n <a href=\"mailto:?subject=Tiny bit of formula promotes breast-feeding&body=http://www.sfgate.com/health/article/Tiny-bit-of-formula-promotes-breast-feeding-4510136.php\" /><img src=\"http://www.newstimes.com/img/pages/article/tools_mail.gif\" alt=\"\" />Email This</a>\r\n <!-- RM 20174\r\n <a href=\"#\" onclick=\"popup('/?controllerName=emailThis&sitename=sfgate&object=article&objectid=4510136&site=19&title=Tiny+bit+of+formula+promotes+breast-feeding&url=http://www.sfgate.com/health/article/Tiny-bit-of-formula-promotes-breast-feeding-4510136.php'); return false;\"><img src=\"http://www.newstimes.com/img/pages/article/tools_mail.gif\" alt=\"\" />Email This</a>\r\n -->\r\n </td>\r\n </tr>\r\n <tr>\r\n <td class=\"print size\"><div class=\"poplaunch\"><div class=\"toolspop fontpop\" id=\"hst_articletools_fontpop\" onmouseover=\"popShow(this.id);\" onmouseout=\"popHide(this.id);\" style=\"display:none;\"><form action=\"#\"><p class=\"choice\"><input type=\"radio\" id=\"font_radio_georgia\" name=\"font_radio\" value=\"1\" onclick=\"hst_chfont('georgia');\" checked=\"checked\" /> <span class=\"georgia\">Georgia <span class=\"isdefault\">(default)</span></span></p><p class=\"choice\"><input type=\"radio\" id=\"font_radio_verdana\" name=\"font_radio\" value=\"2\" onclick=\"hst_chfont('verdana');\" /> <span class=\"verdana\">Verdana</span></p><p class=\"choice\"><input type=\"radio\" id=\"font_radio_times\" name=\"font_radio\" value=\"3\" onclick=\"hst_chfont('times');\" /> <span class=\"times\">Times New Roman</span></p><p class=\"choice\"><input type=\"radio\" id=\"font_radio_arial\" name=\"font_radio\" value=\"4\" onclick=\"hst_chfont('arial');\" /> <span class=\"arial\">Arial</span></p></form></div><a href=\"#\" onclick=\"popShow('hst_articletools_fontpop', this); return false;\"><img src=\"http://www.newstimes.com/img/pages/article/tools_dropdown.gif\" alt=\"\" />Font</a></div></td>\r\n <td class=\"ad\">\r\n <div class=\"hst-microbar\">\n\t<div id=\"A88\" class=\"ad_deferrable\"><script type=\"text/javascript\"> /*<![CDATA[*/ hearstPlaceAd(\"A88\"); /*]]>*/ </script></div>\n</div> </td>\r\n </tr>\r\n </table>\r\n <div style=\"clear:both;\"></div>\r\n</div><!--/.hst-articletools-->\r\n \n\n \n </div>\n\n<div class=\"hst-articlepager-report\" id=\"articlepagerreport\">Page 1 of 1</div>\n<div class=\"hst-articletext\"><div id=\"fontprefs_top\" class=\"georgia md\">\n\n <div id=\"text\" class=\"entry-content\">\n <p>Giving a little bit of formula - the equivalent of a single bottle over several days - to a newborn who's losing too much weight after birth might actually increase the likelihood that the baby will be breast-feeding three months later, according to a small Bay Area study.</p><p>In a climate of aggressive public health policy trying to cut down on formula use and encourage new moms to give infants only breast milk, the study results are likely to be controversial, and they may seem counterintuitive, the authors said.</p><p>But for a select group of new mothers who are eager to breast-feed, small doses of formula, given for a short and carefully monitored time, may alleviate some of the stress associated with breast-feeding and, in turn, give them confidence to stick with it, said Dr. <a href=\"/?controllerName=search&action=search&channel=health&search=1&inlineLink=1&query=%22Valerie+Flaherman%22\">Valerie Flaherman</a>, lead author of the study, published Monday in the journal Pediatrics.</p><p>\"This study does not mean that all babies should get formula or that formula is better than breast-feeding. It's my strong belief that most babies do not need formula,\" said Flaherman, a pediatrician at UCSF Benioff <a href=\"/?controllerName=search&action=search&channel=health&search=1&inlineLink=1&query=%22Children%27s+Hospital%22\">Children's Hospital</a>. \"But it does raise the possibility that some babies may benefit from a little bit of carefully managed formula.\"</p><p>Breast-feeding is widely supported by doctors and public health authorities, and groups like the World Health Organization and the <a href=\"/?controllerName=search&action=search&channel=health&search=1&inlineLink=1&query=%22U.S.+Centers+for+Disease+Control+and+Prevention%22\">U.S. Centers for Disease Control and Prevention</a> recommend that women breast-feed babies for at least one year, and give infants nothing but breast milk for the first six months.</p><p>Babies who are breast-fed have lower risks of developing infections and allergies in their infancy, and the longer they're breast-fed, the greater the health benefits, studies have shown. Increasingly, U.S. hospitals have been developing policies to discourage any formula use for new mothers and babies, and to make sure mothers have at least attempted to breast-feed before they go home.</p><h3 class=\"subhead\" style=\"subhead\">Many give up</h3><p>But in the United States, while roughly three-quarters of mothers attempt to breast-feed, only 30 percent of them are breast-feeding exclusively at three months, and less than a quarter are breast-feeding at all by the time the baby is a year old.</p><p>The reasons women stop breast-feeding are varied and complicated and not always well understood. One possibility that the study authors wanted to address was the idea that for babies who are struggling to gain or maintain weight, mothers may worry about not producing enough milk and turn to formula use.</p><p>\"In the first three days or so, the key complaint we hear is 'I'm concerned I don't have enough milk. I'm worried my baby is starving,' \" said Dr. <a href=\"/?controllerName=search&action=search&channel=health&search=1&inlineLink=1&query=%22Janelle+Aby%22\">Janelle Aby</a>, a pediatrician at Packard Children's Hospital at Stanford and an author of the study. \"Then we do daily weighs and it's dropping and dropping, and that's very stressful. Some moms, they get to a place where they can't take it anymore and they give the baby formula.\"</p><h3 class=\"subhead\" style=\"subhead\">Bottle-feeding effects</h3><p>But using formula can create a feeding cycle that makes breast-feeding more difficult. Babies who finish an entire bottle of formula, for example, may adapt to feeding in longer cycles, instead of every two to three hours for breast-feeding. Babies may also experience nipple confusion, where they get used to the rubber nipple of a bottle and not their mother's breast.</p><p>The study authors said they all are proponents of exclusive breast-feeding, and that the idea behind their study was to find creative ways to help women breast-feed longer.</p><p>The study of 40 infants was a small trial, and it will need to be replicated in follow-up research among larger, more diverse groups of mothers, the authors said. All of the infants had lost at least 5 percent but less than 10 percent of their birth weight in the first 36 hours of life, which is considered a high drop in weight, but not dangerously so. </p><p>The infants - who were all born at either UCSF or Stanford - were randomly assigned to a group that would receive formula supplementation or a group that would breast-feed without formula. Mothers in the first group were instructed to keep breast-feeding, about eight to 12 times a day, and give their infants about two teaspoons of formula from a syringe after each feeding.</p><h3 class=\"subhead\" style=\"subhead\">First few days</h3><p>The formula supplementation lasted only for the first few days after birth, when mothers aren't yet producing regular breast milk. Once they produced milk, the mothers in the study were told to stop using any formula.</p><p>All of the infants in both groups were still breast-feeding after one week. By the end of that week, only 10 percent of infants in the formula group were still using formula. But among infants assigned to the exclusive breast-feeding group, nearly half were using formula.</p><h3 class=\"subhead\" style=\"subhead\">Distinct results</h3><p>At three months, 79 percent of the babies in the formula group and 42 percent of babies in the control group were breast-feeding exclusively.</p><p>The results, while promising as an option for helping some women stick with breast-feeding, are probably not applicable to all new mothers in the United States. And lactation experts not involved in the study said they were wary that mothers might get the message that formula is always an acceptable alternative to breast milk.</p><p>\"Just looking over the study very cursorily, you could get the impression that it's OK to give your kid a little formula. But without the specific need for supplementation, and without a specific plan, that's probably not going to be true,\" said Dr. <a href=\"/?controllerName=search&action=search&channel=health&search=1&inlineLink=1&query=%22David+Lee%22\">David Lee</a>, medical director of the lactation support program at <a href=\"/?controllerName=search&action=search&channel=health&search=1&inlineLink=1&query=%22California+Pacific+Medical+Center%22\">California Pacific Medical Center</a>, who was not involved in the study.</p><h3 class=\"subhead\" style=\"subhead\">Bay Area difference</h3><p>The study authors agreed that their results may not apply across the country, and they noted that Bay Area women in general are much more eager to breast-feed than women in other parts of the country. At UCSF, 98 percent of women who give birth there leave the hospital at least having started to breast-feed.</p><p>Suggesting any amount of formula supplementation, if only a couple of teaspoons at a time, to women who aren't interested in breast-feeding in the first place may only discourage them further, the authors said. But their study at least suggests that formula may be a viable option - even for women who are inclined to dismiss it, said Aby at Stanford.</p><p>\"Formula is kind of demonized,\" Aby said. \"I certainly don't want all of our kids raised on formula, and I do think breast milk is a lot better.</p><p>\"But we have this dichotomy where we want people to breast-feed, but when that's not successful, people just switch over to bottle-feeding the baby with formula,\" she said. \"We need to get away from the dichotomous thinking. Hopefully this opens a dialogue.\"</p><p class=\"dtlcomment\">Erin Allday is a San Francisco Chronicle staff writer. E-mail: <a href=\"mailto:eallday@sfchronicle.com\">eallday@sfchronicle.com</a></p>\n \t \t\n </div>\n \n <script type=\"text/javascript\">\n jQuery(function($) {\n $('#text').paginator('.hst-articlepager', $('.hst-articlebox').height());\n });\n </script>\n \n\n\n </div></div><!--/.hst-articletext-->\n</div>\n<div class=\"hst-articlefooter\">\n\n\n <!-- temporary inline style below, don't judge me! -->\n <div class=\"hst-articletools2\">\n <div class=\"arbox print first\">\n <a href=\"javascript:hst_print();\"><img src=\"/img/pages/article/tools_print.gif\" alt=\"\" style=\"vertical-align: middle;\" /> Printable Version</a>\n </div>\n <div class=\"arbox print\">\n <a href=\"mailto:?subject=Tiny bit of formula promotes breast-feeding&body=http://www.sfgate.com/health/article/Tiny-bit-of-formula-promotes-breast-feeding-4510136.php\" /><img src=\"http://www.newstimes.com/img/pages/article/tools_mail.gif\" alt=\"\" style=\"vertical-align: middle;\" /> Email This</a>\n <!-- RM 20174\n \t<a href=\"#\" onclick=\"popup('/?controllerName=emailThis&sitename=sfgate&object=article&objectid=4510136&site=19&title=Tiny+bit+of+formula+promotes+breast-feeding&url=http://www.sfgate.com/health/article/Tiny-bit-of-formula-promotes-breast-feeding-4510136.php'); return false;\"><img src=\"/img/pages/article/tools_mail.gif\" alt=\"\" style=\"vertical-align: middle;\" /> Email This</a>\n -->\n \t</div>\n\t<!-- need to remove yahoo badge\n <div style=\"float: left; margin-right: 20px;\">\n <script type=\"text/javascript\" src=\"http://d.yimg.com/ds/badge2.js\" badgetype=\"small\">/health/article/Tiny-bit-of-formula-promotes-breast-feeding-4510136.php</script>\n </div>\n\t -->\n <div class=\"arbox facebook\">\n <iframe src=\"http://www.facebook.com/plugins/like.php?href=http%3A%2F%2Fwww.sfgate.com%2Fhealth%2Farticle%2FTiny-bit-of-formula-promotes-breast-feeding-4510136.php%3Fcmpid%3Dfb&amp;layout=button_count&amp;show_faces=true&amp;width=50&amp;action=like&amp;font&amp;colorscheme=light&amp;height=21\" scrolling=\"no\" frameborder=\"0\" style=\"border:none; overflow:hidden; width:50px; height:21px;\" allowTransparency=\"true\"></iframe>\n </div>\n <div class=\"arbox\">\n <a href=\"http://twitter.com/share\" class=\"twitter-share-button\" data-url=\"http://www.sfgate.com/health/article/Tiny-bit-of-formula-promotes-breast-feeding-4510136.php?cmpid=twitter\" data-count=\"horizontal\" data-via=\"SFGate\">Tweet</a><script type=\"text/javascript\" src=\"http://platform.twitter.com/widgets.js\"></script>\n </div>\n <div class=\"arbox\">\n <g:plusone size=\"medium\" href=\"http://www.sfgate.com/health/article/Tiny-bit-of-formula-promotes-breast-feeding-4510136.php?cmpid=gplus\"></g:plusone>\n </div>\n\n <script type=\"text/javascript\">\n (function() {\n var po = document.createElement('script'); po.type = 'text/javascript'; po.async = true;\n po.src = 'https://apis.google.com/js/plusone.js';\n var s = document.getElementsByTagName('script')[0]; s.parentNode.insertBefore(po, s);\n })();\n </script>\n <div class=\"arbox last\">\n \t\n \t<script type=\"text/javascript\">\n //hack to fix linkedin JS bug\n window.name=window.name || \"\";\n \t </script>\n \t<script src=\"http://platform.linkedin.com/in.js\" type=\"text/javascript\"></script>\n\t\t\t<script type=\"IN/Share\" data-counter=\"right\"></script>\n\t\t\t\n </div>\n </div>\n <!--/.hst-articletools2-->\n\n\n\t<div class=\"hst-freeform hdnce-e hdnce-item-19387\"><!-- mid:freeform.19387 -->\n \t<div class=\"OUTBRAIN\" data-src= document.URL; data-widget-id=\"AR_3\" data-ob-template=\"sfgate\" ></div>\r\n<script type=\"text/javascript\" src=\"http://widgets.outbrain.com/outbrain.js\"></script>\n </div>\n\n\n\n\n\n <!-- business/templates/hearst/article/pluckcomments.tpl -->\n\t<div class=\"hnews hentry item\">\n <div id=\"HDNPluck_page_title\" style=\"display: none\" class=\"entry-title\">Tiny bit of formula promotes breast-feeding</div>\n \t \t<!-- src/business/templates/hearst/article/news_registry/hidden.tpl -->\n\n<!-- e src/business/templates/hearst/article/news_registry/hidden.tpl -->\n <div id=\"HDNPluck_article_paratext\" style=\"display: none;\" class=\"entry-summary\">Giving a little bit of formula - the equivalent of a single bottle over several days - to a newborn who's losing too much weight after birth might actually increase the likelihood that the baby will be breast-feeding three months later, according to a small Bay Area study.\n\nIn a climate of...</div>\n </div>\n <div style=\"text-align:center;\" class=\"HDNPluck_appLoading\"><img src=\"http://contribute.sfgate.com/ver1.0/Content/ua/images/throbber.gif\" /></div>\n <div id=\"pluckCommentsContainer\">\n <script type=\"text/javascript\" language=\"javascript\" id=\"sort_script_tag\">\n // <![CDATA[\n HDNPluck.page_title = document.getElementById('HDNPluck_page_title').innerHTML;\n HDNPluck.article_paratext = document.getElementById('HDNPluck_article_paratext').innerHTML;\n\n var cso_cookie_tval = GetCookie('comment_sort_order');\n var cpp_cookie_tval = GetCookie('comments_per_page');\n document.write('<pas:pluck_comments plckCommentOnKeyType=\"article\" plckCommentOnKey=\"'+HDNPluck.file+'\" plckShortList=\"true\" plckRefreshPage=\"true\" plckDiscoverySection=\"'+(HDNPluck.artsec ? HDNPluck.artsec : '')+'\" plckDiscoveryCategories=\"'+(HDNPluck.categories ? HDNPluck.categories.join(',') : '')+'\" plckSort=\"ThumbsDescending\" plckItemsPerPage=\"'+cpp_cookie_tval+'\" plckArticleUrl=\"http://'+window.location.host+HDNPluck.full_filepath+'\" HDNPluck_refreshBaseURL=\"'+HDNPluck.success_page+'\" HDNPluck_regUrl=\"'+HDN.regUrl+'\"></pas:pluck_comments>');\n // ]]>\n </script>\n </div>\n\n<script type=\"text/javascript\">\n(function($) {\n/**\n * This function will either show an already loaded comment stream with the\n * given XID or will load it and show it.\n *\n * XID's take the form of: chron-photo-2333128\n * \n * @param xidValue the xid of the comment stream\n */\nshowPluckCommentBlock = function (xidValue) {\n $(\".HDNPluck_appLoading\").show();\n HDNPluck['file'] = xidValue;\n var cso_cookie_tval = GetCookie('comment_sort_order');\n var cpp_cookie_tval = GetCookie('comments_per_page');\n\n if (HDNPluck['artcontxt'] == 'slideshow') {\t \t \n\t \n\t if (HDNPluck.success_page.indexOf('?') > -1) {\n\t\tHDNPluck.success_page = HDNPluck.success_page.substring(0,HDNPluck.success_page.indexOf('?'));\n\t }\n\t HDNPluck.success_page += '?pid='+xidValue;\n\t HDNPluck.full_filepath = HDNPluck.success_page;\n\t HDNPluck.file = xidValue;\n\t HDNPluck.page_title = document.title;\n\t try{document.getElementById('HDNPluck_page_title').innerHTML = document.title;} catch (e) {}\n } \n if (!(!document.getElementById(\"pluckCommentsContainer\"))) { document.getElementById(\"pluckCommentsContainer\").innerHTML = '<pas:pluck_comments plckCommentOnKeyType=\"article\" plckCommentOnKey=\"'+HDNPluck['file']+'\" plckShortList=\"false\" plckDiscoverySection=\"'+(HDNPluck.artsec ? HDNPluck.artsec : '')+'\" plckDiscoveryCategories=\"'+(HDNPluck.categories ? HDNPluck.categories.join(',') : '')+'\" plckSort=\"'+cso_cookie_tval+'\" plckItemsPerPage=\"'+cpp_cookie_tval+'\" plckArticleUrl=\"http://'+window.location.host+HDNPluck.full_filepath+'\" HDNPluck_refreshBaseURL=\"'+HDNPluck['success_page']+'\" HDNPluck_regUrl=\"'+HDN.regUrl+'\"></pas:pluck_comments>'; pluckAppProxy.replaceTag(\"pluck_comments\"); } else { alert('setTimeout'); }\n}\n})(jQuery);\n</script>\n \n<!-- e business/templates/hearst/article/pluckcomments.tpl -->\n<!-- src/business/widgets/hearst/collection/widget.tpl -->\n <div class=\"hide-rss-link hdnce-e hdnce-collection-13257-promo_gallery\">\n<!-- hearst/collections/promo_gallery.tpl -->\r\n<!-- collection.promo_gallery.13257 -->\r\n<div class=\"hst-spwide\"><div class=\"edge2\"><div class=\"edge3\"><div class=\"edge4 clearfix\">\r\n\t\t\t<!-- templates/design/collection/promo_gallery/single_zone.tpl -->\n\n\t<div class=\"header clearfix\">\n <!-- zone1 -->\n <!-- widgets/hearst/module_header/widget.tpl -->\n \t\t\t<h2><span class=\"first-word\">Inside</span> SFGate</h2>\n\t<!-- e widgets/hearst/module_header/widget.tpl --> <!-- e zone1 -->\n \t\t<p class=\"nav hidden\"><a href=\"#\" class=\"prev\"><img src=\"/img/modules/slideshow/promo/wide/button-prev.gif\" alt=\"\" /></a><a href=\"#\" class=\"next\"><img src=\"/img/modules/slideshow/promo/wide/button-next.gif\" alt=\"\" /></a></p>\n <span class=\"rss\">\n <a type=\"application/rss+xml\" target=\"_blank\" class=\"collection-rss-link\" href=\"/home/collectionRss/story-slideprow-inside-13257.php\">\n <img src=\"/img/utils/rss_icon.png\" alt=\"Click to View RSS Feed\" />\n </a>\n </span>\n </div>\n\n\t<!-- collections/promo_gallery_body.tpl -->\n <ul class=\"clearfix\">\n <div class=\"tab\">\n \n \n <li class=\"item\">\n <p class=\"illo\"><a class=\"hdnce-e hdnce-blogPost-959877\" href=\"http://blog.sfgate.com/hottopics/2013/06/04/navy-seal-warrior-princess-comes-out-in-new-memoir/\"><img src=\"http://ww2.hdnux.com/photos/22/03/73/4734657/5/landscape_gallery_promo.png\" alt=\"\"/></a></p>\n <h4><a class=\"hdnce-e hdnce-blogPost-959877\" href=\"http://blog.sfgate.com/hottopics/2013/06/04/navy-seal-warrior-princess-comes-out-in-new-memoir/\">Ex-Navy SEAL comes out in new memoir</a></h4>\n </li>\n \n \n \n \n <li class=\"item\">\n <p class=\"illo\"><a href=\"/technology/businessinsider/article/The-Stunning-Image-Of-The-Lady-In-Red-Will-4575353.php\"><img src=\"http://ww1.hdnux.com/photos/22/03/73/4734668/3/landscape_gallery_promo.jpg\" alt=\"\"/></a></p>\n <h4><a href=\"/technology/businessinsider/article/The-Stunning-Image-Of-The-Lady-In-Red-Will-4575353.php\">'Lady in Red' at protest stuns the world</a></h4>\n </li>\n \n \n \n \n <li class=\"item\">\n <p class=\"illo\"><a class=\"hdnce-e hdnce-blogPost-960046\" href=\"http://blog.sfgate.com/morford/2013/06/04/again-with-the-face-eating-monsters/\"><img src=\"http://ww4.hdnux.com/photos/14/10/72/3182227/11/landscape_gallery_promo.jpg\" alt=\"\"/></a></p>\n <h4><a class=\"hdnce-e hdnce-blogPost-960046\" href=\"http://blog.sfgate.com/morford/2013/06/04/again-with-the-face-eating-monsters/\">Morford: Again with the face-eating monsters</a></h4>\n </li>\n \n \n \n \n <li class=\"item last\">\n <p class=\"illo\"><a class=\"hdnce-e hdnce-blogPost-959570\" href=\"http://blog.sfgate.com/cmcginnis/2013/06/04/san-francisco-to-nyc-in-45-minutes-maybe/\"><img src=\"http://ww1.hdnux.com/photos/22/03/43/4733120/3/landscape_gallery_promo.png\" alt=\"\"/></a></p>\n <h4><a class=\"hdnce-e hdnce-blogPost-959570\" href=\"http://blog.sfgate.com/cmcginnis/2013/06/04/san-francisco-to-nyc-in-45-minutes-maybe/\">San Francisco to NYC in 45 minutes? Maybe!</a></h4>\n </li>\n \n \n \n </div>\n <div class=\"tab hidden\">\n \n <li class=\"item\" img=\"http://ww3.hdnux.com/photos/22/04/03/4735218/5/landscape_gallery_promo.jpg\">\n <h4><a class=\"hdnce-e hdnce-blogPost-959990\" href=\"http://blog.sfgate.com/cityinsider/2013/06/04/romo-makes-a-pitch-for-the-dream-act/\">Romo makes a pitch for the Dream Act</a></h4>\n </li>\n \n \n \n \n <li class=\"item\" img=\"http://ww1.hdnux.com/photos/22/03/76/4734872/3/landscape_gallery_promo.jpg\">\n <h4><a class=\"hdnce-e hdnce-blogPost-959922\" href=\"http://blog.sfgate.com/getlost/2013/06/04/draft-grownup-camp-learn-to-be-a-rock-star-cosmonaut-more/\">Grownup camps to rock, be an astronaut</a></h4>\n </li>\n \n \n \n \n <li class=\"item\" img=\"http://ww3.hdnux.com/photos/22/03/62/4734122/3/landscape_gallery_promo.jpg\">\n <h4><a class=\"hdnce-e hdnce-blogPost-959720\" href=\"http://blog.sfgate.com/culture/2013/06/04/photos-reveal-the-mysterious-community-of-canyon/\">The mysterious community of Canyon</a></h4>\n </li>\n \n \n \n \n <li class=\"item last\" img=\"http://ww1.hdnux.com/photos/22/02/07/4727240/3/landscape_gallery_promo.",
"jpg\">\n <h4><a class=\"hdnce-e hdnce-blogPost-958374\" href=\"http://blog.sfgate.com/topdown/2013/06/03/2013-hyundai-elantra-gt-a-korean-hatchback-by-way-of-europe/\">Hyundai Elantra GT has European feel</a></h4>\n </li>\n \n \n \n </div>\n <div class=\"tab hidden\">\n \n <li class=\"item\" img=\"http://ww1.hdnux.com/photos/22/02/64/4730112/3/landscape_gallery_promo.jpg\">\n <h4><a class=\"hdnce-e hdnce-blogPost-958676\" href=\"http://blog.sfgate.com/threedotblog/2013/06/03/jason-kidd-retires/\">Ex-Cal star Jason Kidd retires from NBA</a></h4>\n </li>\n \n \n \n \n <li class=\"item\" img=\"http://ww3.hdnux.com/photos/20/26/56/4287366/5/landscape_gallery_promo.jpg\">\n <h4><a class=\"hdnce-e hdnce-blogPost-958304\" href=\"http://blog.sfgate.com/matierandross/2013/06/03/bay-bridge-light-show-on-the-blink/\">Bay Bridge light show on the blink</a></h4>\n </li>\n \n \n \n \n <li class=\"item\" img=\"http://ww1.hdnux.com/photos/20/64/56/4410288/3/landscape_gallery_promo.jpg\">\n <h4><a class=\"hdnce-e hdnce-blogPost-958180\" href=\"http://blog.sfgate.com/inoakland/2013/06/02/oakland-social-50-great-things-to-do-in-oakland-this-summer-oakland-local/\">50 great things to do in Oakland this summer</a></h4>\n </li>\n \n \n \n \n <li class=\"item last\" img=\"http://ww3.hdnux.com/photos/13/32/06/2990478/23/landscape_gallery_promo.jpg\">\n <h4><a class=\"hdnce-e hdnce-link-20174\" href=\"http://bleacherreport.com/articles/1659577-mlb-draft-2013-ranking-the-top-100-prospects\">Ranking the top 100 MLB draft prospects</a></h4>\n </li>\n \n \n </div>\n </ul>\n\n <script type=\"text/javascript\">\n //<![CDATA[\n jQuery(function($) {\n jQuery('.hst-spwide').slideshow();\n });\n //]]>\n </script>\n\n<!-- e promo_gallery_body.tpl -->\n<!-- e templates/design/collection/promo_gallery/single_zone.tpl -->\t</div></div></div></div><!--/.hst-spwide-->\r\n<!-- e hearst/collections/promo_gallery.tpl --></div> \n<!-- e src/business/widgets/hearst/collection/widget.tpl --></div>\n\n\n\t<div class=\"sfg_ysm001\"><h3><a href=\"http://searchmarketing.yahoo.com/srch/contentmatch.php\" target=\"_new\">Ads by Yahoo!</a></h3>\t\n \n \n <!-- ux/sfgate/tmpl/ysm_contextual.php -->\n<div class=\"hst-ysm\">\n<script type=\"text/javascript\" src=\"/js/hdn/ysmwrapper.js\"></script>\n</div>\n<!-- e ux/sfgate/tmpl/ysm_contextual.php -->\n \t</div><!-- e hearst/article/types/story.tpl -->\n </div><!--/.span-21b-->\n\n\t<!-- templates/hearst/article/types/story_right.tpl -->\n\n<div class=\"span-10 last\">\n\n\t\n<!-- src/business/widgets/hearst/collection/widget.tpl -->\n <div class=\"hide-rss-link hdnce-e hdnce-collection-13261-promo_slideshow\">\n<!-- hearst/collections/promo_slideshow.tpl -->\r\n<!-- collection.promo_slideshow.13261 -->\r\n<div class=\"hst-slideshowpromo\"><div class=\"edge2\"><div class=\"edge3\"><div class=\"edge4 clearfix\">\r\n\t\t\t<!-- templates/design/collection/promo_slideshow/single_zone.tpl -->\n\n\t<div class=\"header clearfix\">\n <!-- zone1 -->\n <!-- widgets/hearst/module_header/widget.tpl -->\n \t\t\t<h2><span class=\"first-word\">Photo</span> Galleries</h2>\n\t<!-- e widgets/hearst/module_header/widget.tpl --> <!-- e zone1 -->\n \t\t<span>\n\t\t\t<a type=\"application/rss+xml\" target=\"_blank\" class=\"collection-rss-link\" href=\"/home/collectionRss/story-slidepro-13261.php\">\n\t\t\t\t<img src=\"/img/utils/rss_icon.png\" alt=\"Click to View RSS Feed\" />\n\t\t\t</a>\n\t\t</span>\n\n\t\t<p class=\"nav hidden\"><a href=\"#\" class=\"prev\"><img src=\"/img/modules/slideshow/promo/wide/button-prev.gif\" alt=\"\" /></a><a href=\"#\" class=\"next\"><img src=\"/img/modules/slideshow/promo/wide/button-next.gif\" alt=\"\" /></a></p>\n\t\t\n\t\t\n </div>\n\n\t<!-- collections/promo_slideshow_body.tpl -->\n <ul class=\"clearfix\">\n <div class=\"tab\">\n \n\n \n <li class=\"item\">\n <p class=\"illo\"><a href=\"/news/slideshow/A-history-of-short-shorts-63897.php\"><img src=\"http://ww3.hdnux.com/photos/22/04/56/4737970/3/square_horiz_promo.jpg\" alt=\"\"/></a></p>\n <h4><a href=\"/news/slideshow/A-history-of-short-shorts-63897.php\">A history of short shorts</a></h4>\n </li>\n \n\n \n <li class=\"item\">\n <p class=\"illo\"><a href=\"/news/slideshow/Cocktails-6-5-2013-63896.php\"><img src=\"http://ww1.hdnux.com/photos/22/04/56/4737956/3/square_horiz_promo.jpg\" alt=\"\"/></a></p>\n <h4><a href=\"/news/slideshow/Cocktails-6-5-2013-63896.php\">Cocktails (6/5/2013)</a></h4>\n </li>\n \n\n \n <li class=\"item last\">\n <p class=\"illo\"><a href=\"/news/slideshow/Hills-of-San-Francisco-Lafayette-Heights-63895.php\"><img src=\"http://ww2.hdnux.com/photos/22/04/56/4737921/3/square_horiz_promo.jpg\" alt=\"\"/></a></p>\n <h4><a href=\"/news/slideshow/Hills-of-San-Francisco-Lafayette-Heights-63895.php\">Hills of San Francisco: Lafayette Heights</a></h4>\n </li>\n \n\n </div>\n <div class=\"tab hidden\">\n \n <li class=\"item\" img=\"http://ww2.hdnux.com/photos/22/04/42/4737177/3/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/Nation-in-Focus-63891.php\">Nation in Focus</a></h4>\n </li>\n \n\n \n <li class=\"item\" img=\"http://ww1.hdnux.com/photos/22/04/35/4736880/3/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/World-in-Focus-63890.php\">World in Focus</a></h4>\n </li>\n \n\n \n <li class=\"item last\" img=\"http://ww4.hdnux.com/photos/22/04/15/4735839/3/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/Flashback-Last-Week-039-s-Concerts-06-04-13-63875.php\">Flashback! Last Week&#039;s Concerts 06/04/13</a></h4>\n </li>\n \n\n </div>\n <div class=\"tab hidden\">\n \n <li class=\"item\" img=\"http://ww3.hdnux.com/photos/22/03/77/4734970/3/square_horiz_promo.jpg\">\n <h4><a href=\"/entertainment/dayinpictures/slideshow/Day-in-Pictures-June-4-2013-63870.php\">Day in Pictures, June 4, 2013</a></h4>\n </li>\n \n\n \n <li class=\"item\" img=\"http://ww1.hdnux.com/photos/22/03/76/4734872/3/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/Camps-for-grownups-Rock-fantasy-cosmonaut-63866.php\">Camps for grownups: Rock fantasy, cosmonaut training</a></h4>\n </li>\n \n\n \n <li class=\"item last\" img=\"http://ww1.hdnux.com/photos/22/03/74/4734732/3/square_horiz_promo.jpg\">\n <h4><a href=\"/sports/slideshow/Jim-Harbaugh-63862.php\">Jim Harbaugh</a></h4>\n </li>\n \n\n </div>\n <div class=\"tab hidden\">\n \n <li class=\"item\" img=\"http://ww1.hdnux.com/photos/22/03/73/4734668/3/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/Turkey-Protests-63861.php\">Turkey Protests</a></h4>\n </li>\n \n\n \n <li class=\"item\" img=\"http://ww4.hdnux.com/photos/22/04/06/4735367/7/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/Sean-Parker-039-s-Big-Sur-makeover-63872.php\">Sean Parker&#039;s Big Sur makeover</a></h4>\n </li>\n \n\n \n <li class=\"item last\" img=\"http://ww3.hdnux.com/photos/22/03/62/4734122/3/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/Canyon-kids-63854.php\">Canyon kids</a></h4>\n </li>\n \n\n </div>\n <div class=\"tab hidden\">\n \n <li class=\"item\" img=\"http://ww4.hdnux.com/photos/22/03/51/4733531/7/square_horiz_promo.jpg\">\n <h4><a href=\"/entertainment/slideshow/CFDA-Fashion-Awards-2013-63845.php\">CFDA Fashion Awards 2013</a></h4>\n </li>\n \n\n \n <li class=\"item\" img=\"http://ww1.hdnux.com/photos/22/03/43/4733136/3/square_horiz_promo.jpg\">\n <h4><a href=\"/life/slideshow/The-absurdity-of-the-CFDA-Fashion-Awards-63838.php\">The absurdity of the CFDA Fashion Awards</a></h4>\n </li>\n \n\n \n <li class=\"item last\" img=\"http://ww3.hdnux.com/photos/22/03/41/4733014/3/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/Disneyland-11-best-entertainment-acts-and-shows-63836.php\">Disneyland: 11 best entertainment acts and shows</a></h4>\n </li>\n \n\n </div>\n <div class=\"tab hidden\">\n \n <li class=\"item\" img=\"http://ww2.hdnux.com/photos/22/03/30/4732453/3/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/Britain-fetes-60-years-of-the-Queen-63834.php\">Britain fetes 60 years of the Queen</a></h4>\n </li>\n \n\n \n <li class=\"item\" img=\"http://ww4.hdnux.com/photos/21/56/65/4648299/11/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/San-Francisco-Housing-Authority-62689.php\">San Francisco Housing Authority</a></h4>\n </li>\n \n\n \n <li class=\"item last\" img=\"http://ww2.hdnux.com/photos/22/02/55/4729697/5/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/Nation-in-Focus-63825.php\">Nation in Focus</a></h4>\n </li>\n \n\n </div>\n <div class=\"tab hidden\">\n \n <li class=\"item\" img=\"http://ww3.hdnux.com/photos/22/03/02/4731038/3/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/World-in-Focus-63824.php\">World in Focus</a></h4>\n </li>\n \n\n \n <li class=\"item\" img=\"http://ww2.hdnux.com/photos/21/54/13/4637409/5/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/Chris-Kluwe-signs-with-the-Raiders-62512.php\">Chris Kluwe signs with the Raiders</a></h4>\n </li>\n \n\n \n <li class=\"item last\" img=\"http://ww4.hdnux.com/photos/22/02/46/4729267/5/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/Pie-63800.php\">Pie</a></h4>\n </li>\n \n\n </div>\n <div class=\"tab hidden\">\n \n <li class=\"item\" img=\"http://ww4.hdnux.com/photos/22/02/40/4728847/3/square_horiz_promo.jpg\">\n <h4><a href=\"/entertainment/slideshow/Chime-for-Change-Concert-63796.php\">Chime for Change Concert</a></h4>\n </li>\n \n\n \n <li class=\"item\" img=\"http://ww2.hdnux.com/photos/22/02/36/4728705/11/square_horiz_promo.jpg\">\n <h4><a href=\"/entertainment/slideshow/Band-riders-visualized-63793.php\">Band riders, visualized</a></h4>\n </li>\n \n\n \n <li class=\"item last\" img=\"http://ww2.hdnux.com/photos/22/02/37/4728817/3/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/Jason-Kidd-announces-retirement-63795.php\">Jason Kidd announces retirement</a></h4>\n </li>\n \n\n </div>\n <div class=\"tab hidden\">\n \n <li class=\"item\" img=\"http://ww1.hdnux.com/photos/22/02/51/4729416/3/square_horiz_promo.jpg\">\n <h4><a href=\"/entertainment/dayinpictures/slideshow/Day-in-Pictures-June-3-2013-63803.php\">Day in Pictures, June 3, 2013</a></h4>\n </li>\n \n\n \n <li class=\"item\" img=\"http://ww2.hdnux.com/photos/22/02/34/4728581/3/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/Chanel-Dinner-For-NRDC-63791.php\">Chanel Dinner For NRDC</a></h4>\n </li>\n \n\n \n <li class=\"item last\" img=\"http://ww4.hdnux.com/photos/22/02/17/4727775/3/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/Protests-in-Turkey-turn-violent-63777.php\">Protests in Turkey turn violent</a></h4>\n </li>\n \n\n </div>\n <div class=\"tab hidden\">\n \n <li class=\"item\" img=\"http://ww3.hdnux.com/photos/22/02/20/4727818/5/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/The-faces-of-Alexia-Jean-Grey-63776.php\">The faces of Alexia Jean Grey</a></h4>\n </li>\n \n\n \n <li class=\"item\" img=\"http://ww1.hdnux.com/photos/22/02/06/4727204/5/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/South-at-SFJazz-63763.php\">South at SFJazz</a></h4>\n </li>\n \n\n \n <li class=\"item last\" img=\"http://ww2.hdnux.com/photos/22/02/05/4727109/3/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/Bay-Area-animal-shelters-see-spring-kitten-boom-63761.php\">Bay Area animal shelters see spring kitten boom</a></h4>\n </li>\n \n\n </div>\n <div class=\"tab hidden\">\n \n <li class=\"item\" img=\"http://ww4.hdnux.com/photos/22/02/05/4727107/5/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/The-changing-varied-face-of-Hayes-Valley-63759.php\">The changing, varied face of Hayes Valley</a></h4>\n </li>\n \n\n \n <li class=\"item\" img=\"http://ww2.hdnux.com/photos/22/02/05/4727145/5/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/51-Octavia-St-TIC-849K-63760.php\">51 Octavia St., TIC, $849K</a></h4>\n </li>\n \n\n \n <li class=\"item last\" img=\"http://ww1.hdnux.com/photos/22/02/07/4727240/3/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/2013-Hyundai-Elantra-GT-63765.php\">2013 Hyundai Elantra GT</a></h4>\n </li>\n \n\n </div>\n <div class=\"tab hidden\">\n \n <li class=\"item\" img=\"http://ww1.hdnux.com/photos/22/02/02/4726944/3/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/Reasons-not-to-move-to-San-Francisco-63757.php\">Reasons not to move to San Francisco</a></h4>\n </li>\n \n\n \n <li class=\"item\" img=\"http://ww1.hdnux.com/photos/22/01/41/4724828/3/square_horiz_promo.jpg\">\n <h4><a href=\"/bayarea/slideshow/Fire-near-L-A-spreads-destroys-homes-63753.php\">Fire near L.A. spreads, destroys homes</a></h4>\n </li>\n \n\n \n <li class=\"item last\" img=\"http://ww4.hdnux.com/photos/22/01/41/4724843/3/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/Nation-in-Focus-63752.php\">Nation in Focus</a></h4>\n </li>\n \n\n </div>\n <div class=\"tab hidden\">\n \n <li class=\"item\" img=\"http://ww1.hdnux.com/photos/22/01/66/4726156/3/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/World-in-Focus-63751.php\">World in Focus</a></h4>\n </li>\n \n\n \n <li class=\"item\" img=\"http://ww2.hdnux.com/photos/22/01/25/4724085/5/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/039-World-War-Z-039-world-premiere-63738.php\">&#039;World War Z&#039; world premiere</a></h4>\n </li>\n \n\n \n <li class=\"item last\" img=\"http://ww2.hdnux.com/photos/22/01/25/4724073/3/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/Salmon-bonanza-63736.php\">Salmon bonanza</a></h4>\n </li>\n \n\n </div>\n <div class=\"tab hidden\">\n \n <li class=\"item\" img=\"http://ww3.hdnux.com/photos/21/70/46/4688270/7/square_horiz_promo.jpg\">\n <h4><a href=\"/news/slideshow/Larry-Ellison-039-s-quest-for-the-America-039-s-63253.php\">Larry Ellison&#039;s quest for the America&#039;s Cup</a></h4>\n </li>\n </div>\n </ul>\n\n <script type=\"text/javascript\">\n //<![CDATA[\n jQuery(function($) {\n jQuery('.hst-slideshowpromo').slideshow();\n });\n //]]>\n </script>\n\n<!-- e promo_slideshow_body.tpl -->\n<!-- e templates/design/collection/promo_slideshow/single_zone.tpl -->\t</div></div></div></div><!--/.hst-slideshowpromo-->\r\n<!-- e hearst/collections/promo_slideshow.tpl --></div> \n<!-- e src/business/widgets/hearst/collection/widget.tpl -->\t\n\t<!-- ux/sfgate/tmpl/subscribe_promo.php -->\n\n<!-- e ux/sfgate/tmpl/subscribe_promo.php -->\n\n \n <!-- ux/sfgate medium_rectangle_ad_first.tpl -->\n<div id=\"hst-mediumrectangle1\" class=\"hst-mediumrectangle clearfix\">\n\n<div id=\"A300\" class=\"ad_deferrable\"><script type=\"text/javascript\">/*<![CDATA[*/ hearstPlaceAd(\"A300\"); /*]]>*/</script></div>\n<div id=\"A300x600\" class=\"ad_deferrable\"><script type=\"text/javascript\">/*<![CDATA[*/ hearstPlaceAd(\"A300x600\"); /*]]>*/</script></div>\n\n</div>\n<!-- e ux/sfgate medium_rectangle_ad_first.tpl --> \n\n <!-- src/business/widgets/hearst/collection/widget.tpl -->\n \n<!-- noGen: collection_d41d8cd98f00b204e9800998ecf8427e_20063 -->\n \n<!-- e src/business/widgets/hearst/collection/widget.tpl -->\n\t<div class=\"hst-freeform hdnce-e hdnce-item-19388\"><!-- mid:freeform.19388 -->\n \t<div class=\"OUTBRAIN\" data-src= document.URL; data-widget-id=\"SB_1\" data-ob-template=\"sfgate\" ></div>\r\n<script type=\"text/javascript\" src=\"http://widgets.outbrain.com/outbrain.js\"></script>\n </div>\n\r\n<!--.hst-mostpopular-->\r\n\r\n\r\n <div class=\"hst-mostpopular tab-set\"><div class=\"edge2\"><div class=\"edge3\"><div class=\"edge4 clearfix\">\r\n <!-- /templates/hearst/home/most_commented_header.tpl -->\n <ul class=\"nav-tabs clearfix\">\n <li><a class=\"mostread\" href=\"#\"><span>Most Read</span></a></li>\n <li class=\"lim\">|</li> <li><a class=\"mostcommented\" href=\"#\"><span>Most Commented</span></a></li>\n \n </ul>\n<!-- e /templates/hearst/home/most_commented_header.tpl -->\r\n\r\n \r\n <div class=\"content-tab\"><ol>\r\n\r\n <li>\r\n <a href=\"/news/politics/article/Protester-interrupts-Michelle-Obama-at-fundraiser-4577341.php\" title=\"Protester interrupts Michelle Obama at fundraiser\">Protester interrupts Michelle Obama at fundraiser</a>\r\n </li>\r\n <li>\r\n <a href=\"/news/crime/article/CHP-Man-arrested-who-abandoned-injured-son-on-I-5-4577656.php\" title=\"CHP: Man arrested who abandoned injured son on I-5\">CHP: Man arrested who abandoned injured son on I-5</a>\r\n </li>\r\n <li>\r\n <a href=\"http://blog.sfgate.com/techchron/2013/06/04/why-zynga-is-failing-in-basic-napkin-math/\" title=\"Why Zynga is failing — in basic napkin math\">Why Zynga is failing — in basic napkin math</a>\r\n </li>\r\n <li>\r\n <a href=\"http://blog.sfgate.com/hottopics/2013/06/04/navy-seal-warrior-princess-comes-out-in-new-memoir/\" title=\"Ex-Navy SEAL ‘Warrior Princess’ comes out in new memoir\">Ex-Navy SEAL ‘Warrior Princess’ comes out in new memoir</a>\r\n </li>\r\n <li>\r\n <a href=\"/giants/article/Tim-Lincecum-tames-Jays-2-1-4577602.php\" title=\"Tim Lincecum tames Jays, 2-1\">Tim Lincecum tames Jays, 2-1</a>\r\n </li>\r\n <li>\r\n <a href=\"/news/texas/article/100-students-ejected-from-NYC-to-Atlanta-flight-4576124.php\" title=\"100 students ejected from NYC-to-Atlanta flight\">100 students ejected from NYC-to-Atlanta flight</a>\r\n </li>\r\n <li class=\"last\">\r\n <a href=\"/technology/businessinsider/article/The-Stunning-Image-Of-The-Lady-In-Red-Will-4575353.php\" title=\"The Stunning Image Of 'The Lady In Red' Will Endure Even After The Turkey Protests End\">The Stunning Image Of 'The Lady In Red' Will Endure Even After The Turkey Protests End</a>\r\n </li>\r\n \r\n </ol></div>\r\n \r\n <div class=\"content-tab\"><ol>\r\n\r\n <li>\r\n <a href=\"http://www.sfgate.com/news/article/100-students-ejected-from-NYC-to-Atlanta-flight-4576124.php\" title=\"100 students ejected from NYC to Atlanta flight\">100 students ejected from NYC to Atlanta flight</a>\r\n </li>\r\n <li>\r\n <a href=\"http://blog.sfgate.com/hottopics/2013/06/04/navy-seal-warrior-princess-comes-out-in-new-memoir/\" title=\"Ex-Navy SEAL %u2018Warrior Princess%u2019 comes out in new memoir\">Ex-Navy SEAL %u2018Warrior Princess%u2019 comes out in new memoir</a>\r\n </li>\r\n <li>\r\n <a href=\"http://www.sfgate.com/crime/article/Crime-up-in-Oakland-much-of-Bay-Area-4573391.php\" title=\"Crime up in Oakland, much of Bay Area\">Crime up in Oakland, much of Bay Area</a>\r\n </li>\r\n <li>\r\n <a href=\"http://blog.sfgate.com/techchron/2013/06/04/internet-billionaires-lavish-wedding-put-threatened-species-at-risk/\" title=\"Internet billionaire's lavish wedding put threatened species at risk\">Internet billionaire's lavish wedding put threatened species at risk</a>\r\n </li>\r\n <li>\r\n <a href=\"http://blog.sfgate.com/cityinsider/2013/06/04/audit-housing-authority-left-millions-on-the-table/\" title=\"Audit: Housing Authority left millions on the table\">Audit: Housing Authority left millions on the table</a>\r\n </li>\r\n <li>\r\n <a href=\"http://www.sfgate.com/technology/businessinsider/article/The-Stunning-Image-Of-The-Lady-In-Red-Will-4575353.php\" title=\"The Stunning Image Of 'The Lady In Red' Will Endure Even After The Turkey Protests End\">The Stunning Image Of 'The Lady In Red' Will Endure Even After The Turkey Protests End</a>\r\n </li>\r\n <li class=\"last\">\r\n <a href=\"http://insidescoopsf.sfgate.com/blog/2013/06/04/questioning-the-reviews-on-opentable/\" title=\"Questioning the reviews on OpenTable\">Questioning the reviews on OpenTable</a>\r\n </li>\r\n \r\n </ol></div>\r\n \r\n </div></div></div></div>\r\n <!-- Social Activity for SeattlePI -->\r\n \r\n <script type=\"text/javascript\">\r\n // <![CDATA[\r\n $('.tab-set').rot(1);\r\n // ]]>\r\n </script>\r\n \r\n<!--/.hst-mostpopular-->\r\t<div class=\"hst-freeform hdnce-e hdnce-item-7226\"><!-- mid:freeform.7226 -->\n \t<div id=\"ndn_launcher_10984\"><script type=\"text/javascript\" src=\"http://embed.newsinc.com/thumbnail/embed.js?wid=10984&parent=ndn_launcher_10984\"></script></div>\n </div>\n\n\t<div class=\"hst-freeform hdnce-e hdnce-item-7033\"><!-- mid:freeform.7033 -->\n \t<div id=\"nimbleBuyWidget10281\">loading...</div>\r\n<a id=\"key10281\" href=\"http://www.nimblebuy.com\" style=\"display:none;\"></a>\r\n<script id=\"nimbleBuyWidgetScript10281\" src=\"http://us2widget.nimblecommerce.com/widget.action?wId=10281\"></script>\n </div>\n\n\t<div id=\"hst-mediumrectangle2\" class=\"hst-mediumrectangle clearfix\">\n<div id=\"B300\" class=\"ad_deferrable\"><script type=\"text/javascript\"> /*<![CDATA[*/ hearstPlaceAd(\"B300\"); /*]]>*/ </script></div>\n</div>\n <!-- src/business/widgets/hearst/collection/widget.tpl -->\n <div class=\"hide-rss-link hdnce-e hdnce-collection-13260-blockstates_vertical_alt\">\n<!-- collections/blockstates_vertical_alt.tpl -->\r\n<!-- collection.blockstates_vertical_alt.13260 -->\r\n<div class=\"hst-blockstates hst-blockstates-vertical\"><div class=\"edge2\"><div class=\"edge3\"><div class=\"edge4 clearfix\">\r\n\r\n <!-- widgets/hearst/module_header/widget.tpl -->\n \t\t\t<h2><span class=\"first-word\">From</span> our homepage</h2>\n\t<!-- e widgets/hearst/module_header/widget.tpl -->\r\n <a type=\"application/rss+xml\" target=\"_blank\" class=\"collection-rss-link\" href=\"/home/collectionRss/story-blocks-13260.php\">\r\n <img src=\"/img/utils/rss_icon.png\" alt=\"Click to View RSS Feed\" />\r\n </a>\r\n \r\n <div class=\"tabcontent\">\r\n \r\n <div class=\"hide-rss-link hdnce-e hdnce-collection-14679-blockstates_tab_alt\">\n<!-- collections/blockstates_tab.tpl -->\n<!-- collection.blockstates_tab_alt.14679 -->\n<ul>\n\n <li class=\"item first hnews hentry item\">\n <p class=\"illo\"><a href=\"/jobs/slideshow/Game-of-Thrones-characters-in-the-workplace-63833.php\"><img src=\"http://ww1.hdnux.com/photos/22/03/25/4732276/9/blockstates2.jpg\" alt=\"\" /></a>\n </p>\n <h4><a class=\"entry-title \" href=\"/jobs/slideshow/Game-of-Thrones-characters-in-the-workplace-63833.php\">Who would rule the office?</a></h4>\n <div class=\"detail entry-summary\">How would 'Game of Thrones' characters cope in today's workplace?</div>\n\n \n </li>\n </ul>\n<!-- e blockstates_tab.tpl --></div> </div>\r\n <div class=\"tabcontent\">\r\n \r\n <div class=\"hide-rss-link hdnce-e hdnce-collection-14678-blockstates_tab_alt\">\n<!-- collections/blockstates_tab.tpl -->\n<!-- collection.blockstates_tab_alt.14678 -->\n<ul>\n\n <li class=\"item first hnews hentry item\">\n <p class=\"illo\"><a href=\"/realestate/walkthrough/article/Mediterranean-style-home-in-San-Ramon-4576644.php\"><img src=\"http://ww2.hdnux.com/photos/22/02/32/4728501/3/blockstates2.jpg\" alt=\"\" /></a>\n <br /><span class=\"credit\">AllAccessPhoto.com</span></p>\n \n <!-- src/business/templates/hearst/article/news_registry/hidden.tpl -->\n\n<!-- e src/business/templates/hearst/article/news_registry/hidden.tpl -->\n <h4><a class=\"entry-title \" href=\"/realestate/walkthrough/article/Mediterranean-style-home-in-San-Ramon-4576644.php\">Spacious Mediterranean</a></h4>\n <div class=\"detail entry-summary\">Four-bedroom San Ramon home features a courtyard and custom kitchen. Asking $1.599M.</div>\n\n \n </li>\n </ul>\n<!-- e blockstates_tab.tpl --></div> </div>\r\n <div class=\"tabcontent last\">\r\n \r\n <div class=\"hide-rss-link hdnce-e hdnce-collection-17000-blockstates_tab_alt\">\n<!-- collections/blockstates_tab.tpl -->\n<!-- collection.blockstates_tab_alt.17000 -->\n<ul>\n\n <li class=\"item first hnews hentry item\">\n <p class=\"illo\"><a class=\"hdnce-e hdnce-blogPost-959725\" href=\"http://blog.sfgate.com/techchron/2013/06/04/internet-billionaires-lavish-wedding-put-threatened-species-at-risk/\"><img src=\"http://ww2.hdnux.com/photos/22/04/06/4735369/9/blockstates2.jpg\" alt=\"\" /></a>\n </p>\n <h4><a class=\"entry-title hdnce-e hdnce-blogPost-959725\" href=\"http://blog.sfgate.com/techchron/2013/06/04/internet-billionaires-lavish-wedding-put-threatened-species-at-risk/\">Sean Parker&#039;s Big Sur &#039;set&#039;</a></h4>\n <div class=\"detail entry-summary\">See the wedding structures that drew $2.5M in fines, despite the Internet mogul's green spin.</div>\n\n \n </li>\n </ul>\n<!-- e blockstates_tab.tpl --></div> </div>\r\n \r\n</div></div></div></div><!--/.hst-blockstates-vertical -->\r\n<!-- e blockstates_vertical_alt.tpl -->\r</div> \n<!-- e src/business/widgets/hearst/collection/widget.tpl -->\n\t\n</div><!--/.span-10-->\n\n<!-- e templates/hearst/article/types/story_right.tpl --></div><!--/.faux-21-->\n<!-- e templates/design/article/story_page.tpl --> \r\n </div><!--/.content-->\r\n \r\n\r\n\r\n<script>\r\n var HDN = HDN || {};\r\n \r\n HDN.ping( {\r\n \"id\": 4510136,\r\n \"site\": \"sfgate\",\r\n \"type\": \"article\"\r\n });\r\n $(document).ready(function () {\r\n return hst_get_fprefs(this);\r\n });\r\n</script>\r\n\r\n\r\n\r\n\r\n<!-- src/business/templates/hearst/common/footer.tpl -->\n <!-- src/business/templates/hearst/common/site_footer.tpl -->\n\n <div class=\"hst-sitefooter clearfix\">\n\n \n\n\n\n\t <!-- hearst/item/standalone.tpl -->\n<div class=\"hdnce-e hdnce-item-4249\"><!-- mid:freeform.4249 -->\n<div id=\"footernav\">\r\n<ul class=\"main\">\r\n<li><a href=\"/\">Home</a></li>\r\n<li><a href=\"/news/\">News</a></li>\r\n<li><a href=\"/sports/\">Sports</a></li>\r\n<li><a href=\"/business/\">Business</a></li>\r\n<li><a href=\"/entertainment/\">Entertainment</a></li>\r\n<li><a href=\"/food/\">Food</a></li>\r\n<li><a href=\"/living/\">Living</a></li>\r\n<li><a href=\"/travel/\">Travel</a></li>\r\n<li><a href=\"http://shopping.sfgate.com\">Shopping</a></li>\r\n<li><a href=\"http://jobsearch.local-jobs.monster.com/Search.aspx?wt.mc_n=hjnpsearch&ch=sanfranchron&q=&where=San%20Francisco,%20CA&re=130&cy=us&brd=1\">Find Bay Area Jobs</a></li>\r\n<li><a href=\"/realestate/\">Real Estate</a></li>\r\n<li><a href=\"/cars/\">Cars</a></li>\r\n<li class=\"last\"><a href=\"/index/\">Site Index</a></li>\r\n</ul>\r\n<div class=\"sub\">\r\n<div>\r\n<div class=\"footeritem\">Company Info:</div>\r\n<ul>\r\n<li><a href=\"/chronicle-contacts/\">Contact Us</a></li>\r\n<li><a href=\"http://www.hearst.com/\">Hearst</a></li>\r\n<li><a href=\"/privacy-policy/\">Privacy Policy</a></li>\r\n<li><a href=\"/privacy-policy/#caprivacyrights\">Your California Privacy Rights</a></li>\r\n<li><a href=\"/termsandconditions/\">Terms & Conditions</a></li>\r\n<li><a href=\"http://www.sfgate.com/chronicle/hr/\">Work for Us</a></li>\r\n<li><a href=\"http://cie.sfchron.com/sfc_nes_portal/\">Chron in Education</a></li>\r\n<li><a href=\"/chronicle/events/\">Events &amp; Promotions</a></li>\r\n<li class=\"last\"><a href=\"/submissions/\">Submissions</a></li>\r\n</ul>\r\n</div>\r\n<div>\r\n<div class=\"footeritem\">Advertising Services:</div>\r\n<ul>\r\n<li><a href=\"/chronicle/adsite/\">Advertise with us</a></li>\r\n<li><a href=\"http://sfgate.kaango.com//\">Place a Classified</a></li>\r\n<li><a href=\"/privacy/\">About Our Ads</a></li>\r\n<li><a href=\"http://www.legalnotice.org/pl/SFGate/landing1.aspx\">Public Notices</a></li>\r\n<li class=\"last\"><a href=\"http://local.sfgate.com\">Local Businesses: Business Directory</a></li>\r\n</ul>\r\n</div>\r\n<div>\r\n<div class=\"footeritem\">Reader Services:</div>\r\n<ul>\r\n<li><a href=\"http://myaccount.sfchronicle.com/dsssubscribe.aspx?pid=95\">Home Delivery</a></li>\r\n<li><a href=\"http://myaccount.sfchronicle.com\">Subscribers</a></li>\r\n<li><a href=\"/ipad/\">iPad</a></li>\r\n<li><a href=\"http://eedition.sfchronicle.com\">E-Edition</a></li>\r\n<li><a href=\"/mobile/\">Mobile</a></li>\r\n<li><a href=\"/rss/\">RSS Feeds</a></li>\r\n<li><a href=\"/cgi-bin/newsletter/services/main\">Newsletters</a></li>\r\n<li><a href=\"/feedback/\">Feedback</a></li>\r\n<!-- <li><a href=\"/gallery/buyphotos/\">Buy Photos</a></li> -->\r\n<li><a href=\"/faq/\">FAQ</a></li>\r\n<li><a href=\"/corrections/\">Corrections</a></li>\r\n<li class=\"last\"><a href=\"/getus\">Get Us</a></li>\r\n</ul>\r\n</div>\r\n<div>\r\n<div class=\"footeritem\">Local Services:</div>\r\n<ul>\r\n<li><a href=\"http://local.sfgate.com/airconditioningcontractors.html\">Air Conditioning Contractors</a></li>\r\n<li><a href=\"http://local.sfgate.com/cardealerships.html\">Car Dealerships</a></li>\r\n<li><a href=\"http://local.sfgate.com/cleaningservice.html\">Cleaning Services</a></li>\r\n<li><a href=\"http://local.sfgate.com/familydoctor.html\">Family Doctors</a></li>\r\n<li><a href=\"http://local.sfgate.com/furniturestores.html\">Furniture Stores</a></li>\r\n<li><a href=\"http://local.sfgate.com/injuryattorney.html\">Injury Attorneys</a></li>\r\n<li><a href=\"http://local.sfgate.com/restaurants.html\">Local Restaurants</a></li>\r\n<li><a href=\"http://local.sfgate.com/newcardealer.html\">New Car Dealers</a></li>\r\n<li><a href=\"http://local.sfgate.com/realestateagents.html\">Real Estate Agents</a></li>\r\n<li class=\"last\"><a href=\"http://local.sfgate.com/realestateattorney.html\">Real Estate Attorneys</a></li>\r\n</ul>\r\n</div>\r\n</div>\r\n</div>\n</div>\n\t\t </div><!--/.hst-sitefooter--></div><!--/.container--> \t \n\t\t<!-- ux/sfgate footer_branding.tpl -->\n<p id=\"sitecopyright\">\n\t<a href=\"/chronicle/info/copyright/\">&copy; 2013 Hearst Communications Inc.</a>\n\t<br />\n\t<img src=\"http://imgs.sfgate.com/graphics/utils/hearst_logo.gif\" alt=\"Hearst Newspapers\" />\n</p>\n<!-- ux/sfgate footer_branding.tpl -->\n\n\t\t\n\t\n\n\n<!-- cmf/sites/sfgate/tmpl/analytics_footer.php -->\n\n<!-- BEGIN Tynt Script -->\n<script type=\"text/javascript\">\nif(document.location.protocol=='http:'){\n var Tynt=Tynt||[];Tynt.push('ad1_AICmWr3PaXab7jrHtB');Tynt.i={\"ap\":\"Read more:\"};\n (function(){var s=document.createElement('script');s.async=\"async\";s.type=\"text/javascript\";s.src='http://tcr.tynt.com/ti.js';var h=document.getElementsByTagName('script')[0];h.parentNode.insertBefore(s,h);})();\n}\n</script>\n<!-- END Tynt Script -->\n\n<!-- e cmf/sites/sfgate/tmpl/analytics_footer.php -->\n<!-- /src/business/templates/hearst/common/opengraph_load.tpl -->\n \n<!-- /src/business/templates/hearst/common/outbrain_silent_tag.tpl -->\n\n\n\n\n<!-- src/business/templates/hearst/common/footer_bottom.tpl -->\n<!-- CMP tracking code-->\n\n<script type=\"text/javascript\">window.IC={};(function(){var p,s;p=document.createElement('script');p.type='text/javascript';p.async=true;p.src=document.location.protocol+'//c4.iclive.com/pixel-js/c4-pixel.js';s=document.getElementsByTagName('script')[0];s.parentNode.insertBefore(p,s);})();</script>\n\n<!-- e CMP tracking code-->\n\n<!-- Buzzfeed partner code -->\n<div id=\"BF_WIDGET_1\">&nbsp;</div>\n\n<script type=\"text/javascript\">\n(function( ){\nBF_WIDGET_JS=document.createElement(\"script\"); BF_WIDGET_JS.type=\"text/javascript\";\nBF_WIDGET_SRC=\"http://ct.buzzfeed.com/wd/UserWidget?u=sfgate.com&to=1&or=vb&wid=1&cb=\" + (new Date()).getTime();\nsetTimeout(function() {document.getElementById(\"BF_WIDGET_1\").appendChild(BF_WIDGET_JS);BF_WIDGET_JS.src=BF_WIDGET_SRC},1);\n})();\n</script>\n\n<!-- e Buzzfeed partner code -->\n\n<!-- e src/business/templates/hearst/common/footer_bottom.tpl -->\n\n <script type=\"text/javascript\" src=\"/external/js/global.bottom.3.13.0.25015.js\"></script>\n\n\n\n\n\n<script type=\"text/javascript\">if(!NREUMQ.f){NREUMQ.f=function(){NREUMQ.push([\"load\",new Date().getTime()]);var e=document.createElement(\"script\");e.type=\"text/javascript\";e.src=((\"http:\"===document.location.protocol)?\"http:\":\"https:\")+\"//\"+\"d1ros97qkrwjf5.cloudfront.net/42/eum/rum.js\";document.body.appendChild(e);if(NREUMQ.a)NREUMQ.a();};NREUMQ.a=window.onload;window.onload=NREUMQ.f;};NREUMQ.push([\"nrfj\",\"beacon-1.newrelic.com\",\"3fd06eaac1\",\"147157\",\"MwQBZ0RXV0NTVhBdDgpONkFfGRM=\",0,103,new Date().getTime(),\"\",\"\",\"\",\"\",\"\"]);</script>\n</body>\n</html>\n<!-- e src/business/templates/hearst/common/footer.tpl --><!-- ssaux hearst/article/main.tpl -->\r\n\r"
],
[
"\n\n\n\n\n\n\n\n<!DOCTYPE HTML PUBLIC \"-//W3C//DTD HTML 4.01//EN\"\n\"http://www.w3.org/TR/html4/strict.dtd\">\n<html prefix=\"og: http://ogp.me/ns# fb: http://ogp.me/ns/fb#\">\n<head>\n\n\n<meta http-equiv=\"Content-Type\" content=\"text/html;charset=utf-8\" />\n<meta name=\"description\"\n content=\"Washington state study found a nearly tripled risk, with younger adults most vulnerable\" />\n<meta name=\"keywords\"\n content=\"Collections: Health; HealthDay; insurance; health insurance; health ; economics; skin cancer; prostate cancer; cancer; lung cancer; breast cancer\" />\n\n\n<meta name=\"social_id\" content=\"http://t.usnews.com/a1CD201\" />\n<meta name=\"site\" content=\"news\" />\n<meta name=\"zone\" content=\"health/articles\" />\n<meta name=\"usn-content-type\" content=\"article\" />\n<meta name=\"usn-comments-mode\" content=\"facebook\" />\n\n<meta http-equiv=\"imagetoolbar\" content=\"no\" />\n<meta name=\"google-site-verification\" content=\"owJBuFHD3VHcTSsnPSOYizmUcs3GSBjbx09vBbBi1MM\" />\n<meta name=\"msvalidate.01\" content=\"A8E47FA91124063A4A9C78AD5273DC0F\" />\n\n<meta property=\"fb:app_id\" content=\"130063997038366\" />\n<meta property=\"fb:page_id\" content=\"5834919267\" />\n\n<meta name=\"twitter:card\" content=\"summary\">\n<meta name=\"twitter:site\" content=\"@usnews\">\n\n<meta property=\"og:type\" content=\"article\">\n<meta property=\"og:title\"\n content=\"Cancer Patients May Face Higher Bankruptcy Odds\" />\n\n\n\n \n \n \n \n \n\n\n\n <title>Cancer Patients May Face Higher Bankruptcy Odds - US News and World Report</title>\n\n\n\n \n\n\n\n <link rel=\"stylesheet\" type=\"text/css\" media=\"all\"\n href=\"http://static.usnews.com/css/swt-global.css\" />\n\n\n\n \n<!-- AUDIENCE SCIENCE AD TAG CODE -->\n<script type=\"text/javascript\" charset=\"utf-8\"\n src=\"http://static.usnews.com/scripts/revsci.js\"></script>\n\n<!-- END AUDIENCE SCIENCE AD TAG CODE -->\n\n\n <script type=\"text/javascript\"\n src=\"http://static.usnews.com/scripts/base.js\"></script>\n <script type=\"text/javascript\">\n USN = new Manager();\n USN.load('Ad');\n USN.load('Form');\n USN.load('VWOsync');\n </script>\n <!--[if IE 6]>\n <script type=\"text/javascript\" src=\"http://static.usnews.com/scripts/sfhover.js\"></script>\n <![endif]-->\n\n \n\n\n\n \n \n <link rel=\"stylesheet\" type=\"text/css\" media=\"all\"\n href=\"http://static.usnews.com/css/swt-article.css\" />\n <link rel=\"stylesheet\" type=\"text/css\" media=\"print\"\n href=\"http://static.usnews.com/css/swt-article-print.css\" />\n \n <link rel=\"stylesheet\" type=\"text/css\" media=\"all\"\n href=\"http://static.usnews.com/css/swt-health-news.css\" />\n\n <!--content-specific CSS/JS-->\n \n <!--/content-specific CSS/JS-->\n\n\n\n\n <script type=\"text/javascript\">\n if(window.jQuery === undefined) {\n USN.load('jquery');\n }\n </script>\n <script type=\"text/javascript\">\n jQuery.noConflict();\n USN.load('jqueryui');\n </script>\n <script type=\"text/javascript\">\n USN.load('ooyala');\n USN.load('jquery.video-embed');\n </script>\n \n <script type=\"text/javascript\">\n USN.load('jquery/jquery.sticky');\n </script>\n <script type=\"text/javascript\">\n jQuery(document).ready(function() {\n jQuery('#sticky-container').stickify();\n });\n </script>\n\n\n\n\n\n \n <link rel=\"shortcut icon\" href=\"http://www.usnews.com/usnews/favicon.ico\">\n <link rel=\"alternate\" type=\"application/rss+xml\"\n title=\"US News RSS Feed\"\n href=\"http://www.usnews.com/rss/usnews.rss\" />\n \n\n \n</head>\n\n<body class=\"section-health-news subsection-news type-article id-1888769\">\n\n<div id=\"fb-root\"></div>\n<script>\n window._omniture_async = window._omniture_async || [];\n window._omniture_async.push(['tl', true, 'o', 'test track']);\n window.fbAsyncInit = function() {\n FB.init({\n appId : '130063997038366', // App ID\n channelUrl : '//' + location.hostname + '/static/channel.html', // Channel File\n status : true, // check login status\n cookie : true, // enable cookies to allow the server to access the session\n xfbml : true // parse XFBML\n });\n FB.Event.subscribe('comment.create', function (response) {\n if (window.s) {\n s.linkTrackVars = \"prop8\";\n s.prop8 = window.location.pathname;\n s.tl(true, 'o', 'facebook comment');\n\n }\n });\n };\n\n // Load the SDK Asynchronously\n (function(d){\n var js, id = 'facebook-jssdk', ref = d.getElementsByTagName('script')[0];\n if (d.getElementById(id)) {return;}\n js = d.createElement('script'); js.id = id; js.async = true;\n js.src = \"//connect.facebook.net/en_US/all.js\";\n ref.parentNode.insertBefore(js, ref);\n }(document));\n</script>\n\n<!--[if lte IE 6]><div class=\"ie ie6\"><![endif]-->\n <!--[if IE 7]><div class=\"ie ie7\"><![endif]-->\n\n <script type=\"text/javascript\">dblclick('header_takeover');</script><div class=\"header header-health\">\n <div class=\"header_content\">\n <ul class=\"header_globalNav bar bar-middled left\">\n <li class=\"header_globalNav_logo item item-first item-odd\">\n <a href=\"//www.usnews.com/\">\n <span class=\"\">US News &amp; World Report</span>\n \n </a>\n \n </li>\n \n <li class=\" item item-even\">\n <a href=\"//www.usnews.com/store\">\n <span class=\"\">Store</span>\n \n </a>\n \n </li>\n \n <li class=\"icon-header-twitter item item-odd\">\n <a href=\"//twitter.com/usnews\">\n <span class=\"icon icon-16 icon-header icon-header-twitter\">Twitter</span>\n \n </a>\n \n </li>\n \n <li class=\"icon-header-facebook item item-even\">\n <a href=\"//www.facebook.com/pages/US-News-World-Report/105575066141561\">\n <span class=\"icon icon-16 icon-header icon-header-facebook\">Facebook</span>\n \n </a>\n \n </li>\n \n <li class=\"icon-header-googleplus item item-last item-odd\">\n <a href=\"//plus.google.com/+usnewsworldreport\">\n <span class=\"icon icon-16 icon-header icon-header-googleplus\">Google Plus</span>\n \n </a>\n \n </li>\n \n\n </ul>\n <ul class=\"header_globalNav bar bar-middled right\">\n <li class=\" dropdown item item-first item-odd\">\n <a href=\"javascript:;\">\n <span class=\"\">Sections</span>\n <i class=\"icon icon-6 icon-header icon-header-arrow-down\"></i>\n </a>\n <ul class=\"dropdown_content\">\n <li class=\" item item-first item-odd\">\n <a href=\"//www.usnews.com\">\n <span class=\"\">Home</span>\n \n </a>\n \n </li>\n \n <li class=\" item item-even\">\n <a href=\"//www.usnews.com/news\">\n <span class=\"\">News &amp; Opinion</span>\n \n </a>\n \n </li>\n \n <li class=\" item item-odd\">\n <a href=\"//health.usnews.com\">\n <span class=\"\">Health</span>\n \n </a>\n \n </li>\n \n <li class=\" item item-even\">\n <a href=\"//www.usnews.com/money\">\n <span class=\"\">Money</span>\n \n </a>\n \n </li>\n \n <li class=\" item item-odd\">\n <a href=\"//www.usnews.com/education\">\n <span class=\"\">Education</span>\n \n </a>\n \n </li>\n \n <li class=\" item item-even\">\n <a href=\"//www.usnews.com/cars\">\n <span class=\"\">Cars</span>\n \n </a>\n \n </li>\n \n <li class=\" item item-odd\">\n <a href=\"//www.usnews.com/travel\">\n <span class=\"\">Travel</span>\n \n </a>\n \n </li>\n \n <li class=\" item item-last item-even\">\n <a href=\"//www.usnews.com/law\">\n <span class=\"\">Law</span>\n \n </a>\n \n </li>\n \n\n </ul>\n </li>\n \n <li class=\" dropdown item item-even\">\n <a href=\"javascript:;\">\n <span class=\"\">Special Reports</span>\n <i class=\"icon icon-6 icon-header icon-header-arrow-down\"></i>\n </a>\n <ul class=\"dropdown_content\">\n <li class=\" item item-first item-odd\">\n <a href=\"//www.usnews.com/stem\">\n <span class=\"\">STEM</span>\n \n </a>\n \n </li>\n \n <li class=\" item item-even\">\n <a href=\"//money.usnews.com/money/careers/jobs-in-2020\">\n <span class=\"\">Jobs in 2020</span>\n \n </a>\n \n </li>\n \n <li class=\" item item-odd\">\n <a href=\"//money.usnews.com/money/how-to-live-to-100\">\n <span class=\"\">How to Live to 100</span>\n \n </a>\n \n </li>\n \n <li class=\" item item-last item-even\">\n <a href=\"//www.usnews.com/news/cybersecurity\">\n <span class=\"\">Cybersecurity</span>\n \n </a>\n \n </li>\n \n\n </ul>\n </li>\n \n <li class=\" item item-last item-odd\">\n <a href=\"//www.usnews.com/rankings\">\n <span class=\"\">Rankings</span>\n \n </a>\n \n </li>\n \n\n <li class=\"item header_globalNav_search\">\n <form action=\"http://www.usnews.com/usnews/search/index.php\" method=\"get\" class=\"\">\n <input type=\"hidden\" class=\"hidden\" name=\"output\" value=\"xml_no_dtd\" />\n <input type=\"hidden\" class=\"hidden\" name=\"client\" value=\"search_v2\" />\n <input type=\"hidden\" class=\"hidden\" name=\"proxystylesheet\" value=\"search_v2\" />\n <input type=\"hidden\" class=\"hidden\" name=\"filter\" value=\"0\" />\n <input type=\"text\" tabindex=\"1\" name=\"q\" />\n <input type=\"submit\" value=\"search\" class=\"icon icon-12 icon-header icon-header-glass\" />\n </form>\n </li>\n </ul>\n <script type=\"text/javascript\">\n /*globals window: false */\n (function (USN) {\n \"use strict\";\n var safeLoad = function(moduleName) {\n if (USN.VERSION === \"2.0\") {\n USN.load('jquery/' + moduleName);\n } else {\n USN.load(moduleName);\n }\n }\n if (window.jQuery) {\n safeLoad('header');\n if (!window.jQuery.fn.clearField) {\n safeLoad('jquery.clearfield');\n }\n if (!window.jQuery.fn.autocomplete) {\n safeLoad('jquery.autocomplete.min');\n }\n }\n }(window.USN));\n </script>\n\n <div class=\"header_title \">\n <a class=\"header_title_section\">Health</a>\n <a class=\"header_title_subsection\"></a>\n \n </div>\n <ul class=\"header_primaryNav bar\">\n <li class=\" item item-first item-odd\">\n <a href=\"//health.usnews.com\">Home</a>\n \n </li>\n \n <li class=\" item item-even\">\n <a href=\"//health.usnews.com/best-hospitals\">Hospitals</a>\n \n </li>\n \n <li class=\" item item-odd\">\n <a href=\"//health.usnews.com/top-doctors\">Doctors</a>\n \n </li>\n \n <li class=\" item item-even\">\n <a href=\"//health.usnews.com/health-insurance\">Health Insurance</a>\n \n </li>\n \n <li class=\" item item-odd\">\n <a href=\"//health.usnews.com/best-nursing-homes\">Nursing Homes</a>\n \n </li>\n \n <li class=\" item item-last item-even\">\n <a href=\"//health.usnews.com/health-news/health-wellness\">Health &amp; Wellness</a>\n \n </li>\n \n\n <div class=\"header_primaryNav_adbug adbug_primaryNav\">\n <script language=\"javascript\" type=\"text/javascript\">dblclick('navbug');</script>\n </div>\n </ul>\n </div>\n</div>\n \n \n\n <div id=\"content-wrapper\">\n \n\n \n \n\n \n\n \n \n <div id=\"leaderboard-a\">\n \n <!-- Dbk:leaderboardA -->\n <div id=\"position-1\" class=\"ad\">\n <script type=\"text/javascript\">dblclick('leaderboardA');</script>\n <noscript>\n <a href=\"http://ad.doubleclick.net/usn/jump/usn.noscript/noscript;sz=728x90;pos=leaderboardA;tile=1;dcopt=ist;ord=000000000?\">\n <img src=\"http://ad.doubleclick.net/usn/ad/usn.noscript/noscript;sz=728x90;pos=leaderboardA;tile=1;ord=000000000?\" width=\"728\" height=\"90\" border=\"1\" />\n </a>\n </noscript>\n </div>\n <!-- /Dbk:leaderboardA -->\n \n \n </div>\n\n \n\n <div class=\"breadcrumbs_container\">\n \n <p id=\"breadcrumbs\" class=\"breadcrumbs\">\n \n \n \n <a href=\"http://health.usnews.com\">Home</a>\n &gt;\n \n \n \n \n \n <a href=\"http://health.usnews.com/health-news\">Health</a>\n &gt;\n \n \n \n \n \n <a href=\"http://health.usnews.com/health-news/news\">Health News</a>\n &gt;\n \n \n \n \n \n \n <span>Cancer Patients May Face Higher Bankruptcy Odds</span>\n \n \n </p>\n\n \n\n </div>\n\n\n\n \n \n <div id=\"main\">\n \n <div id=\"sticky-container\">\n \n <ul class=\"tools tools-left\">\n <li class=\"socialbug-container\">\n \n\n </li>\n <li class=\"first odd comment\">\n \n <a class=\"tool tool-comment\" href=\"#comments\">\n <span>Comment \n (<fb:comments-count href=\"http://t.usnews.com/a1CD201\"></fb:comments-count>)\n </span>\n \n </a>\n\n </li>\n <li class=\"even tweet_count\">\n \n <a class=\"twitter-share-button\" data-lang=\"en\"\n data-related=\"usnews\"\n data-url=\"http://health.usnews.com/health-news/news/articles/2013/05/15/cancer-patients-may-face-higher-bankruptcy-odds\"\n data-counturl=\"http://health.usnews.com/health-news/news/articles/2013/05/15/cancer-patients-may-face-higher-bankruptcy-odds\"\n href=\"https://twitter.com/share?via=usnews&amp;related=usnews&amp;url=http%3A%2F%2Ft.usnews.com%2Fa1CD201&amp;counturl=http://health.usnews.com/health-news/news/articles/2013/05/15/cancer-patients-may-face-higher-bankruptcy-odds\">\n Tweet\n </a>\n <script>!function(d,s,id){var js,fjs=d.getElementsByTagName(s)[0];if(!d.getElementById(id)){js=d.createElement(s);js.id=id;js.src=\"https://platform.twitter.com/widgets.js\";fjs.parentNode.insertBefore(js,fjs);}}(document,\"script\",\"twitter-wjs\");</script>\n\n </li>\n <li class=\"odd fblike\">\n \n <div id=\"share-facebook\"\n class=\"http://t.usnews.com/a1CD201\">\n <div class=\"fb-like\" data-send=\"false\"\n data-layout=\"button_count\" data-width=\"450\"\n data-show-faces=\"false\"\n data-href=\"http://t.usnews.com/a1CD201\"></div>\n </div>\n\n </li>\n <li class=\"even gplus\">\n \n <g:plusone size=\"medium\"\n href=\"http://t.usnews.com/a1CD201\"></g:plusone>\n\n </li>\n <li class=\"last odd linkedin\">\n \n <script src=\"//platform.linkedin.com/in.js\" type=\"text/javascript\"></script>\n <script type=\"IN/Share\" data-counter=\"right\"\n data-url=\"http://t.usnews.com/a1CD201\"></script>\n\n </li>\n </ul>\n\n\n \n <div class=\"widget related-news\">\n <h4>Related Articles</h4>\n <!--subwidgets-->\n <div class=\"subwidget subwidget-first subwidget-last subwidget-only subwidget-odd\">\n <ul class=\"related-links\">\n <li class=\"first odd\">\n <a href=\"http://video.healthination.com/usnews/kids-sleep.html?s_cid=related-links:TOP\">Video: Kids and Sleep</a>\n </li>\n <li class=\"even\">\n <a href=\"http://health.usnews.com/health-news/diet-fitness/diet/slideshows/why-these-famous-vegetarians-and-vegans-pass-on-meat?s_cid=related-links:TOP\">Why These Famous Vegetarians and Vegans Pass on Meat</a>\n </li>\n <li class=\"last odd\">\n <a href=\"http://health.usnews.com/top-doctors/articles/2011/07/26/how-to-find-the-right-doctor?s_cid=related-links:TOP\">How to Find the Right Doctor</a>\n </li>\n </ul>\n </div>\n <!--/subwidgets-->\n </div>\n\n\n \n <div id=\"smallRectangle\">\n <!-- Dbk:leaderboardB -->\n <div class=\"ad\">\n <script type=\"text/javascript\">\n dblclick('smallRectangle');\n </script>\n <noscript>\n <a href=\"http://ad.doubleclick.net/usn/jump/usn.noscript/noscript;sz=180x150;pos=smallRectangle;tile=1;ord=000000000?\">\n <img src=\"http://ad.doubleclick.net/usn/ad/usn.noscript/noscript;sz=180x150;pos=smallRectangle;tile=1;ord=000000000?\" width=\"180\" height=\"150\" />\n </a>\n </noscript>\n </div>\n <!-- /Dbk:smallRectangle -->\n </div>\n\n </div><!--/#sticky-container-->\n\n <div id=\"unsticky-container\">\n \n <h1>Cancer Patients May Face Higher Bankruptcy Odds</h1>\n\n\n \n <h2>Washington state study found a nearly tripled risk, with younger adults most vulnerable</h2>\n\n\n \n \n\n\n \n <span class=\"date\">May 15, 2013</span>\n\n\n <span class=\"tools tools-pre\">\n \n <a class=\"tool-rss\" target=\"_blank\"\n href=\"/rss/health-news\">\n RSS Feed\n </a>\n\n \n <a class=\"tool-print\" target=\"_blank\"\n href=\"http://health.usnews.com/health-news/news/articles/2013/05/15/cancer-patients-may-face-higher-bankruptcy-odds_print.html\">\n Print\n </a>\n\n </span>\n\n\n <!--metal:printable use-macro=\"context/snowwhite_common/macros/printable\" /-->\n\n <div id=\"content\">\n \n \n\n\n \n \n <div class=\"article-logo\">\n \n <img src=\"http://health.usnews.com/pubdbimages/image/6533/GR_PR_healthdaylogo153x52.jpg\"\n alt=\"\" title=\"\" />\n \n </div>\n\n\n \n <div id=\"ndn-video-single\" class=\"ndn-widget\" style=\"display: none;\"></div>\n\n <p><b>By Barbara Bronson Gray</b><br />\n<i>HealthDay Reporter</i></p>\n<p>WEDNESDAY, May 15 (HealthDay News) -- People diagnosed with cancer are almost three times more likely to declare bankruptcy than are those without the disease, a large new study suggests.</p>\n\n \n <div id=\"ndn-video-single-02\" class=\"ndn-widget\" style=\"display: none;\"></div>\n\n\n <a id=\"read_more\"></a>\n \n<p>And younger people with cancer have up to five times higher bankruptcy rates compared to older patients with the disease, the researchers found.</p>\n<p>Of almost 200,000 people with cancer in the study based in Washington state, about 2 percent filed for bankruptcy protection after being diagnosed. Of those who were not diagnosed with cancer, 1 percent filed.</p>\n<p><strong>[See </strong><span><a href=\"http://health.usnews.com/health-news/family-health/cancer/slideshows/5-simple-lifestyle-changes-to-help-prevent-cancer\"><strong>5 Simple Lifestyle Changes to Help Prevent Cancer</strong></a></span><strong><span>.]</span></strong></p>\n<p>Although the risk of bankruptcy for those with cancer is still relatively low, researchers said it is significant.</p>\n<p>&quot;Bankruptcy is such an extreme measure of financial distress, and we didn't include the other forms of financial difficulties people encounter,&quot; said Catherine Fedorenko, a study co-author and technical project coordinator at the Fred Hutchinson Cancer Research Center, in Seattle.</p>\n<p>Whether people suffer substantial debt or have to go so far as to declare bankruptcy, their financial problems are likely to be stressful, said Karma Kreizenbeck, a study co-author and project director at the Hutchinson Institute for Cancer Outcomes Research.</p>\n<p>&quot;This paper shows how medical debt associated with a cancer diagnosis could be more likely to lead to a bankruptcy,&quot; Kreizenbeck said. &quot;But it could also mean people have to take second jobs, end up with lower credit scores or have to make other decisions.&quot;</p>\n<p><strong>[See </strong><span><a href=\"http://health.usnews.com/health-news/family-health/cancer/slideshows/what-causes-cancer-7-strange-cancer-claims-explained\"><strong>What Causes Cancer? 7 Strange Cancer Claims Explained</strong></a></span><strong><span>.]</span></strong></p>\n<p>Celeste Smith, 63, was diagnosed five years ago with breast cancer. A Seattle realtor who was just starting to do well in a new job, she found she had to stop working when she was faced with months of radiation and chemotherapy. Despite the fact that she had health insurance, her mortgage and car payment bills began to mount. &quot;It's a horrible circle trying to get over cancer and deal with all the financial stress,&quot; she said. Smith ended up filing for bankruptcy and moving from her foreclosed house to affordable living for seniors.</p>\n<p>Researchers have noted before that the financial burden on people with cancer can be substantial. Data from the Medical Expenditure Panel Survey in 2004 showed that 6.5 percent of the $20.1 billion spent on cancer care by those not yet on Medicare each year comes directly from the patients themselves, according to study background information.</p>\n<p><strong>[See </strong><span><a href=\"http://health.usnews.com/health-news/diet-fitness/cancer/articles/2010/09/08/cancer-prevention-rethink-your-diet-as-well-as-your-smoking\"><strong>Cancer Prevention: Rethink Your Diet as Well as Your Smoking</strong></a></span><strong><span>.]</span></strong></p>\n<p>A small study presented last year at an American Society of Clinical Oncology meeting showed that four of every five cancer patients and their spouses or caregivers said they had concerns about meeting medical costs and suffered associated financial and mental stress.</p>\n<p>The new research, published online May 15 and in the June print issue of <i>Health Affairs</i>, is based on data taken from a registry of people 21 and older who lived in Washington and were diagnosed with cancer from 1995 through 2009. They were compared to a randomly sampled population of people without cancer, matched by age, gender and ZIP code. Cancer cases were identified using a cancer registry based at the Fred Hutchinson Cancer Research Center, part of a U.S. National Cancer Institute epidemiology database.</p>\n<p>Key findings of the new study include the following:</p>\n<ul>\n<li>Cancer patients were 2.65 times more likely than people without cancer to go bankrupt.</li>\n<li>Those cancer patients who filed for bankruptcy were more likely to be younger, female and nonwhite than were cancer patients who didn't file. The youngest age groups had up to 10 times the bankruptcy rate compared to the older age groups. The youngest groups in the study were diagnosed at a time when their debt was typically high and their income was not, the study noted.</li>\n<li>Bankruptcy filings went up as time went by. While the proportion of cancer patients who filed for bankruptcy within one year of diagnosis was 0.52 percent, it went up to 1.7 percent after five years.</li>\n<li>Bankruptcy rates were highest for people with the diagnosis of thyroid and lung cancer, and lowest for melanoma, <a href=\"http://health.usnews.com/health-news/health-wellness/articles/2013/05/15/diet-changes-that-might-cut-breast-cancer-risk-2\">breast and prostate cancer</a>. The authors suggested that the higher rate of bankruptcy associated with thyroid cancer was likely due to the fact that it affects younger women more often than do other cancers.</li>\n</ul>\n\n \n </div><!--/#content-->\n\n \n \n <ul id=\"pagination\">\n \n <li class=\"selected\">\n 1\n </li>\n \n \n <li>\n <a href=\"http://health.usnews.com/health-news/news/articles/2013/05/15/cancer-patients-may-face-higher-bankruptcy-odds?page=2\">2</a>\n </li>\n \n \n <li>\n <a href=\"http://health.usnews.com/health-news/news/articles/2013/05/15/cancer-patients-may-face-higher-bankruptcy-odds?page=2\">&gt;</a>\n </li>\n \n </ul><!--/#pagination-->\n\n\n <div id=\"footerwidgets\" class=\"col425\">\n \n \n\n \n\n \n \n \n\n \n\n <div class=\"widget widget-first widget-odd headless \">\n\n\n \n\n \n \n\n \n\n \n\n \n\n\n \n\n \n\n\n \n\n \n </div>\n\n \n \n \n\n \n\n <div class=\"widget widget-last widget-even promo widget-related-boxed \">\n\n\n \n\n \n \n\n \n\n \n\n \n <h4>\n \n You might be interested in...\n\n </h4>\n \n\n \n\n \n\n \n <!--subwidgets-->\n \n \n <div class=\" text-only subwidget subwidget-first subwidget-last subwidget-only subwidget-odd\">\n\n \n \n \n \n \n\n <p><ul class=\"cf\">\r\n <li class=\"box odd\">\r\n <a href=\"http://health.usnews.com/best-diet/?s_cid=art_btm\"><img src=\"http://www.usnews.com/dbimages/master/31780/FE_DA_BestDiets_185x125.jpg\" alt=\"Best Diets\" /></a>\r\n <p>\r\n <a href=\"http://health.usnews.com/best-diet/?s_cid=art_btm\">U.S. News Diet Rankings - See What Really Works</a>\r\n </p>\r\n </li>\r\n <li class=\"box even\">\r\n <a href=\"http://health.usnews.com/health-products?s_cid=art_btm\"><img src=\"http://www.usnews.com/pubdbimages/image/41020/FE_DA_PharmacistBadge185x123.jpg\" alt=\"Aging\" /></a>\r\n <p>\r\n <a href=\"http://health.usnews.com/health-products?s_cid=art_btm\">Top Recommended Health Products</a>\r\n </p>\r\n </li>\r\n <li class=\"box odd third\">\r\n <a href=\" http://health.usnews.com/health-news/articles/2013/04/05/video-top-chefs-talk-healthy-eating?s_cid=art_btm\"><img src=\"http://www.usnews.com/dbimages/image/46805/FE_DA_TopChefs_040313185x123.jpg\" alt=\"Video: Top Chefs Talk Healthy Eating\"></a>\r\n <p>\r\n <a href=\" http://health.usnews.com/health-news/articles/2013/04/05/video-top-chefs-talk-healthy-eating?s_cid=art_btm\">Video: Top Chefs Talk Healthy Eating</a>\r\n </p>\r\n </li>\r\n</ul></p>\n\n\n \n\n </div>\n\n\n \n <!--/subwidgets-->\n \n\n\n\n \n\n \n\n\n \n\n \n </div>\n\n \n \n \n\n \n </div><!--/#footerwidgets-->\n\n \n<dl class=\"tags\">\n <dt>Tags:</dt>\n <dd>\n <a href=\"http://health.usnews.com/topics/subjects/prostate_cancer\">prostate cancer,</a>\n </dd>\n <dd>\n <a href=\"http://health.usnews.com/topics/subjects/economics\">economics,</a>\n </dd>\n <dd>\n <a href=\"http://health.usnews.com/topics/subjects/lung_cancer\">lung cancer,</a>\n </dd>\n <dd>\n <a href=\"http://health.usnews.com/topics/subjects/insurance\">insurance,</a>\n </dd>\n <dd>\n <a href=\"http://health.usnews.com/topics/subjects/cancer\">cancer,</a>\n </dd>\n <dd>\n <a href=\"http://health.usnews.com/topics/subjects/health_insurance\">health insurance,</a>\n </dd>\n <dd>\n <a href=\"http://health.usnews.com/topics/subjects/skin_cancer\">skin cancer,</a>\n </dd>\n <dd>\n <a href=\"http://health.usnews.com/topics/subjects/breast_cancer\">breast cancer</a>\n </dd>\n</dl>\n\n\n \n <div id=\"comments\">\n <h4>\n Reader Comments\n \n \n <span>\n (<fb:comments-count\n href=\"http://t.usnews.com/a1CD201\"></fb:comments-count>)\n </span>\n \n </h4>\n\n \n\n <div id=\"fbcomments\">\n \n <fb:comments width=\"415\" mobile=\"false\"\n href=\"http://t.usnews.com/a1CD201\"\n css=\"http://static.usnews.com/css/commentsfb.css\">\n </fb:comments>\n </div>\n\n \n </div><!--/#comments-->\n\n </div><!--/#unsticky-container-->\n\n </div><!--/#main-->\n\n <div id=\"rail\">\n \n \n \n \n \n \n\n \n\n \n \n \n\n \n\n <div class=\"widget widget-first widget-odd promo eatrun-right dynamicblogwidget\">\n\n\n \n\n \n \n\n \n\n \n\n \n\n <h4>\n \n <a href=\"http://health.usnews.com/health-news/blogs/eat-run\"\n target=\"\" rel=\"\">Eat + Run</a>\n\n </h4>\n\n \n\n <!--subwidgets-->\n \n\n \n\n <div class=\"dynamic-blurb subwidget\">\n <p><style type=\"text/css\">\r\ndl.eatrun-right dd {\r\npadding-bottom: 10px;\r\n}\r\ndl.eatrun-right dd p {\r\n margin-bottom: 0;\r\n}\r\ndl.widget.eatrun-right dt {\r\n padding-bottom: 0;\r\n}\r\n.eatrun-right h4 a, dl.eatrun-right dt a {\r\n display: block;\r\n margin: 3px;\r\n width: 316px;\r\n height: 81px;\r\n background: url(\"http://www.usnews.com/dbimages/master/30508/EatRun_Widget-Topper.png\") no-repeat scroll 0 0 transparent;\r\n text-indent: -999em;\r\n}\r\n.eatrun-right .related-links li {\r\nfont-weight: bold;\r\nfont-size: 1.2em;\r\n}\r\n.eatrun-right h4 {\r\n margin-bottom: -15px !important;\r\n}\r\n#rail .eatrun-right .subwidget h5 {\r\n font-weight: normal;\r\n margin-bottom: 0;\r\n line-height: 1.4;\r\n}\r\n</style></p>\n </div>\n\n \n\n \n\n \n\n \n <div class=\"dynamic subwidget subwidget-first subwidget-odd\">\n\n \n\n \n\n <h5>\n \n <a href=\"http://health.usnews.com/health-news/blogs/eat-run/2013/06/04/it-takes-a-village-to-raise-a-child-with-food-allergy\">Raising a Child With Food Allergies</a>\n\n </h5>\n \n \n \n\n \n \n \n </div>\n <div class=\"dynamic subwidget subwidget-even\">\n\n \n\n \n\n <h5>\n \n <a href=\"http://health.usnews.com/health-news/blogs/eat-run/2013/06/03/seeking-a-more-perfect-food-supply\">Perfectly Bad Food</a>\n\n </h5>\n \n \n \n\n \n \n \n </div>\n <div class=\"dynamic subwidget subwidget-last subwidget-odd\">\n\n \n\n \n\n <h5>\n \n <a href=\"http://health.usnews.com/health-news/blogs/eat-run/2013/06/03/the-governments-myplate-celebrates-second-birthday\">MyPlate Celebrates Second Birthday</a>\n\n </h5>\n \n \n \n\n \n \n \n </div>\n\n <div class=\"subwidget\">\n <ul class=\"related-links\">\n \n <li>\n <a href=\"http://health.usnews.com/health-news/blogs/eat-run\"\n target=\"\" rel=\"\">See more Eat + Run posts »</a>\n \n </li>\n\n </ul>\n </div>\n \n <!--/subwidgets-->\n \n\n\n \n\n \n\n\n \n\n \n </div>\n\n \n \n \n\n \n\n <div class=\"widget widget-even ad ad-gray ad-300x250 \">\n\n\n \n\n \n \n\n \n <!-- Ad 7 -->\n <!-- Dbk:rectangleA -->\n <p class=\"servedAdlabel\">advertisement</p>\n <script type=\"text/javascript\">dblclick('rectangleA');</script>\n <noscript>\n <a href=\"http://ad.doubleclick.net/usn/jump/usn.noscript/noscript;sz=300x250;pos=rectangleA;tile=1;ord=000000000?\">\n <img src=\"http://ad.doubleclick.net/usn/ad/usn.noscript/noscript;sz=300x250;pos=rectangleA;tile=1;ord=000000000?\" width=\"300\" height=\"250\" border=\"1\" />\n </a>\n </noscript>\n <!-- /Dbk:rectangleA -->\n <!-- end Ad 7 -->\n\n\n \n\n \n\n\n \n\n \n </div>\n\n \n \n \n\n \n\n <div class=\"widget widget-odd promo social-widget \">\n\n\n \n\n \n \n\n \n\n \n\n \n <h4>\n \n FOLLOW U.S. NEWS HEALTH\n\n </h4>\n \n\n \n\n \n\n \n <!--subwidgets-->\n \n \n <div class=\" text-only subwidget subwidget-first subwidget-last subwidget-only subwidget-odd\">\n\n \n \n \n \n \n\n <div class=\"social-container\">\r\n<style type=\"text/css\">\r\n#rail .social-widget .subwidget {\r\npadding-bottom: 0px !important;\r\n}\r\n\r\n#rail .social-widget iframe {\r\npadding-left: 0px !important;\r\n}\r\n\r\n#rail .social-widget .facebook-container h4 {\r\nbackground-image: none !important;\r\npadding: 8px 0px;\r\nborder-top: 1px solid #CCC;\r\n}\r\n.social-container {\r\noverflow: hidden;\r\nmargin-bottom: 8px;\r\n}\r\n.facebook-container {\r\nmargin: 0px auto;\r\nwidth: 316px;\r\nmargin-bottom: 10px;\r\n}\r\n.tools-widget li {\r\nfloat: left;\r\nmargin: 0px 15px !important;\r\n}\r\n\r\n.social-container .tools-widget img {\r\nwidth: 47px;\r\nheight: auto;\r\n}\r\n</style>\r\n <ul class=\"tools-widget\">\r\n <li style=\"margin: 0px 15px 0px 17px !important\"><a target=\"_blank\" href=\"https://www.facebook.com/USNewsHealth\"><img src=\"/static/images/ah/social-icon-facebook.png\" /></a></li>\r\n <li><a target=\"_blank\" href=\"http://twitter.com/#!/USNewsHealth\"><img src=\"/static/images/ah/social-icon-twitter.png\" /></a></li>\r\n <li><a target=\"_blank\" href=\"http://www.linkedin.com/company/u.s.-news-&-world-report\"><img src=\"/static/images/ah/social-icon-linkedin.png\" /></a></li>\r\n <li><a target=\"_blank\" href=\"http://www.usnews.com/rss/health/index.rss\"><img src=\"/static/images/ah/social-icon-rss.png\" /></a></li>\r\n </ul>\r\n</div>\r\n\r\n<div class=\"facebook-container\">\r\n <h4>Like Us On Facebook</h4>\r\n <iframe src=\"//www.facebook.com/plugins/likebox.php?href=https%3A%2F%2Fwww.facebook.com%2FUSNewsHealth&amp;width=316&amp;height=290&amp;colorscheme=light&amp;show_faces=true&amp;border_color&amp;stream=false&amp;header=true\" scrolling=\"no\" frameborder=\"0\" style=\"border:none; overflow:hidden; width:316px; height:290px;\" allowTransparency=\"true\"></iframe>\r\n</div>\n\n\n \n\n </div>\n\n\n \n <!--/subwidgets-->\n \n\n\n\n \n\n \n\n\n \n\n \n </div>\n\n \n \n \n\n \n\n <div class=\"widget widget-even promo convoy headless-new \">\n\n\n \n\n \n \n\n \n\n \n\n \n <h4>\n \n rounded corners\n\n </h4>\n \n\n \n\n \n\n \n <!--subwidgets-->\n \n \n <div class=\"subwidget cf text-image-left text-image-right subwidget subwidget-first subwidget-odd\">\n\n \n \n \n <div class=\"widget-image\" style=\"width:90px\">\n <a href=\"http://health.usnews.com/health-news/health-wellness/slideshows/quinoa-101-what-it-is-and-how-to-cook-it\"\n target=\"\" title=\"(iStockPhoto)\">\n <img src=\"http://health.usnews.com/pubdbimages/image/48488/FE_DA_QuinoaIntro_05061390x60.jpg\"\n alt=\"Raw Quinoa in a glass canister with a scoop\"\n title=\"(iStockPhoto)\" />\n </a>\n \n </div>\n\n \n \n \n \n\n <p><h6><a href=\"http://health.usnews.com/health-news/slideshows\">Slideshows &raquo;</a></h6>\r\n<h5><a href=\"http://health.usnews.com/health-news/health-wellness/slideshows/quinoa-101-what-it-is-and-how-to-cook-it\">Quinoa 101: What It Is and How to Cook It</a></h5></p>\n\n\n \n\n </div>\n\n\n \n \n \n <div class=\"subwidget cf text-image-left text-image-right subwidget subwidget-even\">\n\n \n \n \n <div class=\"widget-image\" style=\"width:90px\">\n <a href=\"http://health.usnews.com/health-news/health-wellness/slideshows/5-people-who-are-changing-the-face-of-yoga\"\n target=\"\" title=\"(Stephan Zabel/iStockphoto)\">\n <img src=\"http://health.usnews.com/pubdbimages/image/49512/FE_PR_100106healthadvice90x60.kiecolt\"\n alt=\"\" title=\"(Stephan Zabel/iStockphoto)\" />\n </a>\n \n </div>\n\n \n \n \n \n\n <p><h6><a href=\"http://health.usnews.com/health-news/slideshows\">Slideshows &raquo;</a></h6>\r\n<h5><a href=\"http://health.usnews.com/health-news/health-wellness/slideshows/5-people-who-are-changing-the-face-of-yoga\"> 5 People Who Are Changing the Face of Yoga</a></h5></p>\n\n\n \n\n </div>\n\n\n \n \n \n <div class=\"subwidget cf text-image-left text-image-right subwidget subwidget-odd\">\n\n \n \n \n <div class=\"widget-image\" style=\"width:90px\">\n <a href=\"http://health.usnews.com/health-news/health-wellness/slideshows/unusual-uses-for-avocados\"\n target=\"\" title=\"(iStockPhoto)\">\n <img src=\"http://health.usnews.com/pubdbimages/image/49510/Slideshow_Avocado_05311390x60.jpg\"\n alt=\"Avocados on bamboo counter\"\n title=\"(iStockPhoto)\" />\n </a>\n \n </div>\n\n \n \n \n \n\n <p><h6><a href=\"http://health.usnews.com/health-news/slideshows\">Slideshows &raquo;</a></h6>\r\n<h5><a href=\"http://health.usnews.com/health-news/health-wellness/slideshows/unusual-uses-for-avocados\">Unusual Uses for Avocados</a></h5></p>\n\n\n \n\n </div>\n\n\n \n \n \n <div class=\"subwidget cf text-image-left text-image-right subwidget subwidget-last subwidget-even\">\n\n \n \n \n <div class=\"widget-image\" style=\"width:90px\">\n <a href=\"http://health.usnews.com/health-news/health-wellness/slideshows/8-ways-to-stay-healthy-at-work\"\n target=\"\" title=\"(iStockPhoto)\">\n <img src=\"http://health.usnews.com/pubdbimages/image/49511/FE_DA_SnackWork_05041290x60.jpg\"\n alt=\"Green apple sitting on a white keyboard\"\n title=\"(iStockPhoto)\" />\n </a>\n \n </div>\n\n \n \n \n \n\n <p><h6><a href=\"http://health.usnews.com/health-news/slideshows\">Slideshows &raquo;</a></h6>\r\n<h5><a href=\"http://health.usnews.com/health-news/health-wellness/slideshows/8-ways-to-stay-healthy-at-work\">8 Ways to Stay Healthy at Work</a></h5>\r\n\r\n<style type=\"text/css\">\r\n\r\n.headless-new h4 {\r\n font-size: 0 !important;\r\n padding: 6px 0 0 !important;\r\n text-indent: -9999em !important;\r\n}\r\n.headless-new .subwidget-first h6 {\r\n border-top: medium none !important;\r\n padding-top: 4px !important;\r\n}\r\n\r\n</style></p>\n\n\n \n\n </div>\n\n\n \n <!--/subwidgets-->\n \n\n\n\n \n\n \n\n\n \n\n \n </div>\n\n \n \n \n\n \n\n <div class=\"widget widget-odd ad ad-gray ad-300x250 \">\n\n\n \n\n \n \n\n \n <!-- Ad -->\n <!-- Dbk:rectangleB -->\n <p class=\"servedAdlabel\">advertisement</p>\n <script type=\"text/javascript\">dblclick('rectangleB');</script>\n <noscript>\n <a href=\"http://ad.doubleclick.net/usn/jump/usn.noscript/noscript;sz=300x250;pos=rectangleB;tile=1;ord=000000000?\">\n <img src=\"http://ad.doubleclick.net/usn/ad/usn.noscript/noscript;sz=300x250;pos=rectangleB;tile=1;ord=000000000?\" width=\"300\" height=\"250\" border=\"1\">\n </a>\n </noscript>\n <!-- /Dbk:rectangleB -->\n <!-- end Ad -->\n\n\n \n\n \n\n\n \n\n \n </div>\n\n \n \n \n\n \n\n <div class=\"widget widget-last widget-even promo featured-video featuredVideo videos \">\n\n\n \n\n \n \n\n \n\n \n\n \n <h4>\n \n Featured Video\n\n </h4>\n \n\n \n\n \n\n \n <!--subwidgets-->\n \n \n <div class=\" text-image-left subwidget subwidget-first subwidget-odd\">\n\n \n \n \n <div class=\"widget-image\" style=\"width:90px\">\n <a href=\"javascript:openWindow('http://video.healthination.com/usnews/depression.html',810,650)\"\n target=\"\" title=\"(iStockPhoto)\">\n <img src=\"http://health.usnews.com/pubdbimages/image/46210/FE_DA_WomanCrying_01311390x60.jpg\"\n alt=\"A woman crying\" title=\"(iStockPhoto)\" />\n </a>\n \n </div>\n\n \n \n \n \n <h5>\n \n <a href=\"javascript:openWindow('http://video.healthination.com/usnews/depression.html',810,650)\">Symptoms of Depression</a>\n\n </h5>\n \n\n <p>How do you know if it's depression? </p>\n\n\n \n\n </div>\n\n\n \n \n \n <div class=\" text-image-left subwidget subwidget-even\">\n\n \n \n \n <div class=\"widget-image\" style=\"width:90px\">\n <a href=\"javascript:openWindow('http://video.healthination.com/usnews/asthma.html',810,650)\"\n target=\"\" title=\"(iStockPhoto)\">\n <img src=\"http://health.usnews.com/pubdbimages/image/46209/FE_PR_070827asthma_41890x60.jpg\"\n alt=\"Girl using asthma inhaler\"\n title=\"(iStockPhoto)\" />\n </a>\n \n </div>\n\n \n \n \n \n <h5>\n \n <a href=\"javascript:openWindow('http://video.healthination.com/usnews/asthma.html',810,650)\">Asthma</a>\n\n </h5>\n \n\n <p>Learn about common triggers and classic signs of asthma attacks.</p>\n\n\n \n\n </div>\n\n\n \n \n \n <div class=\" text-image-left subwidget subwidget-last subwidget-odd\">\n\n \n \n \n <div class=\"widget-image\" style=\"width:90px\">\n <a href=\"javascript:openWindow('http://video.healthination.com/usnews/rheumatoid-arthritis.html',810,650);\"\n target=\"\" title=\"(iStockPhoto)\">\n <img src=\"http://health.usnews.com/pubdbimages/image/29054/FE_DA_Arthritis_04171290x60.jpg\"\n alt=\"Man massaging elbow in pain\"\n title=\"(iStockPhoto)\" />\n </a>\n \n </div>\n\n \n \n \n \n <h5>\n \n <a href=\"javascript:openWindow('http://video.healthination.com/usnews/rheumatoid-arthritis.html',810,650);\">Rheumatoid Arthritis</a>\n\n </h5>\n \n\n <p>Symptoms and medical tests can indicate if you're at risk.</p>\n\n\n \n\n </div>\n\n\n \n <!--/subwidgets-->\n \n\n\n\n \n\n \n\n\n \n\n \n </div>\n\n \n \n \n\n \n\n </div><!--/#rail-->\n\n\n \n \n </div><!--/#content-wrapper-->\n\n \n <div class=\"preFooter\">\n <div class=\"aside footer_editorsPicks\">\n <dl class=\"widget widget-editorsPicks promo widget-first widget-last widget-only widget-odd\" data-usn-element-name=\"editorspicks_health\" data-aid=\"38f08f\">\n <dt>\n \n \n</dt><dd class=\"subwidget text-only subwidget-first subwidget-odd\">\n \n\n \n \n \n \n \n <div>\r\n<a href=\"http://health.usnews.com/health-products/vitamins-and-supplements-12?s_cid=health:ft:1\"><img src=\"http://www.usnews.com/dbimages/image/49347/WideModern_Medicine1_052113180x120.jpg\" title=\"(iStockPhoto)\" width=\"180\" height=\"120\" /></a>\r\n<h5><a href=\"http://health.usnews.com/health-products?s_cid=health:ft:1\">Health Products »</a></h5>\r\n<h6><a href=\"http://health.usnews.com/health-products/vitamins-and-supplements-12?s_cid=health:ft:1\">Vitamins and Supplements</a></h6>\r\n</div>\n \n \n \n \n \n\n \n \n</dd> <dd class=\"subwidget text-only subwidget-even\">\n \n\n \n \n \n \n \n <div>\r\n<a href=\"http://health.usnews.com/health-news/health-wellness/slideshows/quinoa-101-what-it-is-and-how-to-cook-it?s_cid=health:ft:2\"><img src=\"http://www.usnews.com/pubdbimages/image/49368/FE_DA_QuinoaIntroSlideshow_050613180x120.jpg\" title=\"(iStockPhoto)\" width=\"180\" height=\"120\" /></a>\r\n<h5><a href=\"http://health.usnews.com/health-news/health-wellness/slideshows?s_cid=health:ft:2\">Slideshows »</a></h5>\r\n<h6><a href=\"http://health.usnews.com/health-news/health-wellness/slideshows/quinoa-101-what-it-is-and-how-to-cook-it?s_cid=health:ft:2\">Quinoa 101: What It Is and How to Cook It</a></h6>\r\n</div>\n \n \n \n \n \n\n \n \n</dd> <dd class=\"subwidget text-only subwidget-odd\">\n \n\n \n \n \n \n \n <div>\r\n<a href=\"http://health.usnews.com/health-news/health-wellness/articles/2013/05/29/female-breadwinners-and-love-in-a-new-economy-2?s_cid=money:ft:5\"><img src=\"http://www.usnews.com/pubdbimages/image/49367/FE_DA_ConversationBoss_050613180x120.jpg\" title=\"(iStockPhoto)\" width=\"180\" height=\"120\" /></a>\r\n<h5><a href=\"http://health.usnews.com/health-news/health-wellness?s_cid=money:ft:5\">Health & Wellness »</a></h5>\r\n<h6><a href=\"http://health.usnews.com/health-news/health-wellness/articles/2013/05/29/female-breadwinners-and-love-in-a-new-economy-2?s_cid=money:ft:5\">Female Breadwinners and Love in a New Economy</a></h6>\r\n</div>\n \n \n \n \n \n\n \n \n</dd> <dd class=\"subwidget text-only subwidget-even\">\n \n\n \n \n \n \n \n <div>\r\n<a href=\"http://health.usnews.com/health-news/articles/2012/11/05/pharmacists-picks-top-recommended-health-products?s_cid=health:ft:8\"><img src=\"http://www.usnews.com/dbimages/image/49349/FE_DA_PharmacistBadge180x120.jpg\" title=\"(iStockPhoto)\" width=\"180\" height=\"120\" /></a>\r\n<h5><a href=\"http://www.health.usnews.com/health-products?s_cid=health:ft:8\">Health Products »</a></5>\r\n<h6><a href=\"http://health.usnews.com/health-news/articles/2012/11/05/pharmacists-picks-top-recommended-health-products?s_cid=health:ft:8\">Pharmacists' Picks: Top Recommended Health Products</a></h6>\r\n</div>\n \n \n \n \n \n\n \n \n</dd> <dd class=\"subwidget text-only subwidget-odd\">\n \n\n \n \n \n \n \n <div>\r\n<a href=\"http://health.usnews.com/health-news/health-wellness/articles/2013/05/15/how-to-manage-type-1-diabetes-as-you-age?s_cid=news:ft:6\"><img src=\"http://www.usnews.com/dbimages/image/49348/FE_PR_101122health_diabetesfacts_418180x120.jpg\" title=\"(iStockPhoto)\" width=\"180\" height=\"120\" /></a>\r\n<h5><a href=\"http://health.usnews.com/health-news/health-wellness?s_cid=news:ft:6\">Health & Wellness »</a></h5>\r\n<h6><a href=\"http://health.usnews.com/health-news/health-wellness/articles/2013/05/15/how-to-manage-type-1-diabetes-as-you-age?s_cid=news:ft:6\">Managing Type 1 Diabetes As You Age</a></h6>\r\n</div>\n \n \n \n \n \n\n \n \n</dd> <dd class=\"subwidget text-only subwidget-even\">\n \n\n \n \n \n \n \n <div>\r\n<a href=\"http://health.usnews.com/health-news/health-wellness/slideshows/5-people-who-are-changing-the-face-of-yoga?s_cid=health:ft:10\"><img src=\"http://www.usnews.com/dbimages/image/42327/FE_PR_100106healthadvice180x120.kiecolt\" title=\"(iStockPhoto)\" width=\"180\" height=\"120\" /></a>\r\n<h5><a href=\"http://health.usnews.com/health-news/health-wellness/slideshows?s_cid=health:ft:10\">Slideshows »</a></h5>\r\n<h6><a href=\"http://health.usnews.com/health-news/health-wellness/slideshows/5-people-who-are-changing-the-face-of-yoga?s_cid=health:ft:10\">5 People Who Are Changing the Face of Yoga</a></h6>\r\n</div>\n \n \n \n \n \n\n \n \n</dd> <dd class=\"subwidget text-only subwidget-odd\">\n \n\n \n \n \n \n \n <div>\r\n<a href=\"http://health.usnews.com/best-diet?s_cid=health:ft:9\"><img src=\"http://www.usnews.com/dbimages/master/35635/health-carousel-diets.jpg\" title=\"(iStockPhoto)\" width=\"180\" height=\"120\" /></a>\r\n<h5><a href=\"http://health.usnews.com/best-diet?s_cid=health:ft:9\">Best Diets »</a></h5>\r\n<h6><a href=\"http://health.usnews.com/best-diet?s_cid=health:ft:9\">Best Diets Ranked</a></h6>\r\n</div>\n \n \n \n \n \n\n \n \n</dd> <dd class=\"subwidget text-only subwidget-even\">\n \n\n \n \n \n \n \n <div>\r\n<a href=\"http://health.usnews.com/health-news/health-wellness/slideshows/8-ways-to-eat-well-and-save-money-at-home?s_cid=health:ft:3\"><img src=\"http://www.usnews.com/pubdbimages/image/49366/couple180x119.jpg\" title=\"(iStockPhoto)\" width=\"180\" height=\"120\" /></a>\r\n<h5><a href=\"http://health.usnews.com/health-news/health-wellness/slideshows?s_cid=health:ft:3\">Slideshows »</a></h5>\r\n<h6><a href=\"http://health.usnews.com/health-news/health-wellness/slideshows/8-ways-to-eat-well-and-save-money-at-home?s_cid=health:ft:3\">8 Ways to Eat Well and Save Money at Home</a></h6>\r\n</div>\n \n \n \n \n \n\n \n \n</dd> <dd class=\"subwidget text-only subwidget-odd\">\n \n\n \n \n \n \n \n <div>\r\n<a href=\"http://health.usnews.com/health-news/health-wellness/articles/2013/05/24/stfu-parents-targets-social-media-overshare?s_cid=health:ft:7\"><img src=\"http://www.usnews.com/pubdbimages/image/49369/WideModern_BlairKoenigSTFUParents_052313180x120.jpg\" title=\"(Karyn Spencer)\" width=\"180\" height=\"120\" /></a>\r\n<h5><a href=\"http://health.usnews.com/health-news/health-wellness?s_cid=health:ft:7\">Health & Wellness »</a></h5>\r\n<h6><a href=\"http://health.usnews.com/health-news/health-wellness/articles/2013/05/24/stfu-parents-targets-social-media-overshare?s_cid=health:ft:7\"> 'STFU Parents' Targets Social Media Overshare</a></h6>\r\n</div>\n \n \n \n \n \n\n \n \n</dd> <dd class=\"subwidget text-only subwidget-last subwidget-even\">\n \n\n \n \n \n \n \n <div>\r\n<a href=\"http://money.usnews.com/money/how-to-live-to-100?s_cid=health:ft:4\"><img src=\"http://www.usnews.com/dbimages/image/49263/FE_DA_Liveto100Cake_091312180x120.jpg\" title=\"(iStockPhoto)\" width=\"180\" height=\"120\" /></a>\r\n<h5><a href=\"http://money.usnews.com/money/personal-finance?s_cid=health:ft:4\">Personal Finance »</a></h5>\r\n<h6><a href=\"http://money.usnews.com/money/how-to-live-to-100?s_cid=health:ft:4\">How to Live to 100</a></h6>\r\n</div>\n \n \n \n \n \n\n \n \n</dd>\n</dl>\n <a href=\"#\" class=\"prev is-hidden\">Previous</a>\n <a href=\"#\" class=\"next is-hidden\">Next</a>\n </div>\n <script type=\"text/javascript\">\n /*globals window: false */\n (function (USN) {\n \"use strict\";\n if (window.jQuery) {\n if (!window.jQuery.fn.filmstrip) {\n if (USN.VERSION === \"2.0\") {\n USN.load('jquery/jquery.wipetouch');\n USN.load('jquery/jquery.filmstrip');\n } else {\n USN.load('jquery.wipetouch');\n USN.load('jquery.filmstrip');\n }\n }\n (function ($) {\n $(window.document).ready(function () {\n $('.footer_editorsPicks').filmstrip(\n {\n shuttleclass: '.widget',\n frameclass: '.subwidget',\n advanceby: 5\n }\n ).children('.prev, .next').removeClass('is-hidden');\n });\n }(window.jQuery));\n }\n }(window.USN));\n </script>\n \n <div id=\"leaderboard-b\" class=\"leaderboard leaderboard-b\">\n <!-- Dbk:leaderboardB -->\n <div id=\"position-6\" class=\"ad\">\n <script type=\"text/javascript\">dblclick('leaderboardB');</script>\n </div>\n <!-- /Dbk:leaderboardB -->\n </div>\n\n</div><div id=\"footer\" class=\"footer footer-health\">\n <div class=\"footer_content\">\n <div class=\"footer_promo1\">\n <dl class=\"widget widget-footer promo widget-first widget-last widget-only widget-odd\" data-usn-element-name=\"footer_generic_rankings_promo\" data-aid=\"1568a6\">\n <dt>\n \n \n</dt><dd class=\"subwidget widget-footer_subwidget-well text-only subwidget-first subwidget-last subwidget-only subwidget-odd\">\n \n\n \n \n \n \n \n <div class=\"t-centered\">\r\n<p class=\"t-block\"><a href=\"/rankings\"><img src=\"http://www.usnews.com/dbimages/master/41376/footer-best-usn-rankings-gray.jpg\" width=\"122\" height=\"90\"></a></p>\r\n<p class=\"t-block\">From picking a school to buying a car, our rankings help make hard decisions easier.</p>\r\n<p class=\"t-block\"><a href=\"/rankings\">See all U.S. News rankings &raquo;</a></p>\r\n</div>\n \n \n \n \n \n\n \n \n</dd>\n</dl>\n </div>\n <div class=\"footer_linkList\">\n <h6>Rankings Lists</h6>\n <ul>\n <li class=\"item item-first item-odd\">\n <a href=\"//colleges.usnews.rankingsandreviews.com/best-colleges\">Best Colleges</a>\n </li>\n \n <li class=\"item item-even\">\n <a href=\"//grad-schools.usnews.rankingsandreviews.com/best-graduate-schools\">Best Grad Schools</a>\n </li>\n \n <li class=\"item item-odd\">\n <a href=\"//health.usnews.com/best-hospitals\">Best Hospitals</a>\n </li>\n \n <li class=\"item item-even\">\n <a href=\"//health.usnews.com/best-diet\">Best Diets</a>\n </li>\n \n <li class=\"item item-odd\">\n <a href=\"//travel.usnews.com/\">Best Vacations</a>\n </li>\n \n <li class=\"item item-even\">\n <a href=\"//usnews.rankingsandreviews.com/cars-trucks\">Best Cars</a>\n </li>\n \n <li class=\"item item-odd\">\n <a href=\"//health.usnews.com/top-doctors\">Best Doctors</a>\n </li>\n \n <li class=\"item item-last item-even\">\n <a href=\"//www.usnews.com/rankings\">More Rankings &raquo;</a>\n </li>\n \n\n \n \n </ul>\n </div> <div class=\"footer_linkList\">\n <h6>U.S. News &amp; World Report</h6>\n <ul>\n <li class=\"item item-first item-odd\">\n <a href=\"//www.usnews.com/info/features/about-usnews\">About U.S. News</a>\n </li>\n \n <li class=\"item item-even\">\n <a href=\"//www.usnews.com/info/features/contact\">Contact Us</a>\n </li>\n \n <li class=\"item item-odd\">\n <a href=\"//www.usnews.com/products/features/home\">Store</a>\n </li>\n \n <li class=\"item item-even\">\n <a href=\"//mediakit.usnews.com/\">Advertising Info</a>\n </li>\n \n <li class=\"item item-odd\">\n <a href=\"//www.usnews.com/info/blogs/press-room\">Press Room</a>\n </li>\n \n <li class=\"item item-last item-even\">\n <a href=\"//www.usnews.com/usnews/textmenu.htm\">Site Map</a>\n </li>\n \n\n \n <li>Follow:\n <a href=\"//twitter.com/usnews\">\n <span class=\"icon icon-16 icon-header icon-header-twitter\">Twitter</span>\n </a>\n /\n <a href=\"//www.facebook.com/pages/US-News-World-Report/105575066141561\">\n <span class=\"icon icon-16 icon-header icon-header-facebook\">Facebook</span>\n </a>\n /\n <a href=\"//plus.google.com/+usnewsworldreport\">\n <span class=\"icon icon-16 icon-header icon-header-googleplus\">Google Plus</span>\n </a>\n </li>\n </ul>\n </div> <div class=\"footer_linkList\">\n <h6>Sections</h6>\n <ul>\n <li class=\"item item-first item-odd\">\n <a href=\"//www.usnews.com/news\">News &amp; Opinion</a>\n </li>\n \n <li class=\"item item-even\">\n <a href=\"//www.usnews.com/education\">Education</a>\n </li>\n \n <li class=\"item item-odd\">\n <a href=\"//health.usnews.com\">Health</a>\n </li>\n \n <li class=\"item item-even\">\n <a href=\"//www.usnews.com/money\">Money</a>\n </li>\n \n <li class=\"item item-odd\">\n <a href=\"//www.usnews.com/travel\">Travel</a>\n </li>\n \n <li class=\"item item-even\">\n <a href=\"//www.usnews.com/cars\">Cars</a>\n </li>\n \n <li class=\"item item-odd\">\n <a href=\"//www.usnews.com/science\">Science</a>\n </li>\n \n <li class=\"item item-last item-even\">\n <a href=\"//www.usnews.com/law\">Law</a>\n </li>\n \n\n \n \n </ul>\n </div>\n <div class=\"footer_promo2\">\n <dl class=\"widget widget-footer promo widget-first widget-last widget-only widget-odd\" data-usn-element-name=\"footer_health_products_promo\" data-aid=\"d99b2c\">\n <dt>\n \n \n</dt><dd class=\"subwidget widget-footer_subwidget-well text-only subwidget-first subwidget-odd\">\n \n\n \n \n \n \n \n <div class=\"thumb-middled-container\">\r\n<div class=\"thumb-middled thumb-middled-left widget-footer_imageShadowed\"><a href=\"http://health.usnews.com/best-hospitals/marketing-opportunities\"><img src=\"http://www.usnews.com/dbimages/master/41637/footer-hospitals-badge.png\" alt=\"\" width=\"107\" height=\"74\" /></a></div>\r\n\r\n<div class=\"\">\r\n<p class=\"t-block\">Display your ranked hospital's <br>Best Hospitals badge on your website and ads.</p>\r\n<p class=\"t-block\"><a href=\"http://health.usnews.com/best-hospitals/marketing-opportunities\">Learn about badge licensing &raquo;</a></p>\r\n</div>\r\n</div>\n \n \n \n \n \n\n \n \n</dd> <dd class=\"subwidget widget-footer_subwidget-mini text-only subwidget-even\">\n \n\n \n \n \n \n \n <div class=\"thumb-middled-container\">\r\n<div class=\"thumb-middled thumb-middled-left widget-footer_imageShadowed\"><a href=\"http://www.usnews.com/products/features/health-best-hospitals-2013\"><img src=\"http://www.usnews.com/dbimages/master/41639/footer-BH2013-book.png\" alt=\"\" /></a></div>\r\n\r\n<div class=\"\">\r\n<p class=\"t-block\">Best Hospitals guidebook </p>\r\n<p class=\"t-block\"><a href=\"http://www.usnews.com/products/features/health-best-hospitals-2013\">Buy now &raquo;</a></p>\r\n</div>\r\n</div>\n \n \n \n \n \n\n \n \n</dd> <dd class=\"subwidget widget-footer_subwidget-mini text-only subwidget-last subwidget-odd\">\n \n\n \n \n \n \n \n <div class=\"thumb-middled-container\">\r\n<div class=\"thumb-middled thumb-middled-left widget-footer_imageShadowed\"><a href=\"http://www.usnews.com/usnews/store/live-to-100\"><img src=\"http://www.usnews.com/dbimages/master/41623/foot-100-book.png\" alt=\"\" /></a></div>\r\n\r\n<div class=\"\">\r\n<p class=\"t-block\">How to Live <br>to 100 (eBook) </p>\r\n<p class=\"t-block\"><a href=\"http://www.usnews.com/usnews/store/live-to-100\">Buy now &raquo;</a></p>\r\n</div>\r\n</div>\n \n \n \n \n \n\n \n \n</dd>\n</dl>\n </div>\n </div>\n <div class=\"footer_disclaimers\">\n <div class=\"footer_disclaimers_content\">\n <p class=\"footer_disclaimer\">\n Copyright &copy; 2013 U.S.News &amp; World Report LP. \n Use of this website constitutes acceptance of our\n <a href=\"http://www.usnews.com/usnews/usinfo/terms.htm\">Terms and Conditions of Use</a>\n /\n <a href=\"http://www.usnews.com/usnews/usinfo/terms.htm#privacy\">Privacy Policy</a>.\n </p>\n \n <div id=\"foobar\"></div>\n </div>\n </div>\n</div>\n\n \n\n\n <script type=\"text/javascript\">\n if (jQuery.fn.clearField) {\n jQuery('.clearfield').clearField();\n }\n </script>\n \n \n <img height='1' width='1' src='http://view.atdmt.com/action/MSFT_USNews_AE_ExtData/v3/atc1.news/' />\n\n <script type=\"text/javascript\">\n USN.load('Analytics');\n </script>\n\n <script type=\"text/javascript\">\n USN.Form.zeroInputField('nav-search');\n USN.Form.zeroInputField('newsletters');\n </script>\n\n<div class=\"revsci\">\n \n<!-- Revenue Science: data collection (goes before closing body tag) -->\n<script src=\"http://js.revsci.net/gateway/gw.js?csid=E08741\" type=\"text/javascript\"></script>\n<script type=\"text/javascript\">DM_tag();</script>\n<!-- //Revenue Science: data collection -->\n\n<script src=\"http://js.revsci.net/gateway/gw.js?csid=H05525&amp;auto=t%type=gif\"></script>\n\n\n\n<noscript><div><img src=\"http://secure-us.imrworldwide.com/cgi-bin/m?ci=us-503850h&amp;cg=0&amp;cc=1&amp;ts=noscript\" width=\"1\" height=\"1\" alt=\"\" /></div></noscript>\n\n<script type=\"text/javascript\">dblclick('stitial');</script>\n<script type=\"text/javascript\">dblclick('anchor');</script>\n\n\n</div>\n\n <script type=\"text/javascript\">\n USN.load('Widget');\n USN.load('get_json');\n USN.load('Share');\n </script>\n\n\n \n\n\n\n <script type=\"text/javascript\">\n USN.load('jquery/report-comments');\n </script>\n \n\n \n \n\n\n\n\n\n\n<script type=\"text/javascript\" src=\"http://s3.amazonaws.com/new.cetrk.com/pages/scripts/0010/9297.js\"> </script>\n<!--[if IE 7]></div><![endif]-->\n <!--[if lte IE 6]></div><![endif]-->\n</body>\n</html>\n\n"
]
];
var runs = 0;
(function repeat() {
console.log('run ' + (++runs));
for (var i = 0, l = FILES.length; i < l; i++) {
var tokenizer = new Tokenizer();
for (var c = 0, t = FILES[i].length; c < t; c++) {
tokenizer.write(FILES[i][c]);
}
tokenizer.end();
}
setTimeout(repeat, 10);
})();
})();
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment