In [1]:
import networkx as nx
import numpy as np
import pandas as pd
import matplotlib.pyplot as plt
%matplotlib inline
import os
from glob import glob
pd.set_option('display.mpl_style', 'default')
pd.set_option('display.width', 5000)
pd.set_option('display.max_columns', 60)
#gml_files = glob('../output/network/*/*.gml')
def calculate_graph_inf(graph):
graph.name = filename
info = nx.info(graph)
print info
def plot_graph(graph):
info = nx.info(graph)
print info
plt.figure(figsize=(10,10))
nx.draw_spring(graph, with_labels = True)
In [2]:
graph = nx.read_gml("../output/network/article_neg1.gml")
ugraph = graph.to_undirected()
U = graph.to_undirected(reciprocal=True)
e = U.edges()
ugraph.add_edges_from(e)
In [3]:
def drawIt(graph, what = 'graph'):
nsize = graph.number_of_nodes()
print "Drawing %s of size %s:" % (what, nsize)
if nsize > 20:
plt.figure(figsize=(10, 10))
if nsize > 40:
nx.draw_spring(graph, with_labels = True, node_size = 70, font_size = 12)
else:
nx.draw_spring(graph, with_labels = True)
else:
nx.draw_spring(graph, with_labels = True)
plt.show()
def describeGraph(graph):
components = sorted(nx.connected_components(graph), key = len, reverse = True)
cc = [len(c) for c in components]
subgraphs = list(nx.connected_component_subgraphs(graph))
params = (graph.number_of_edges(),graph.number_of_nodes(),len(cc))
print "Graph has %s nodes, %s edges, %s connected components\n" % params
drawIt(graph)
for sub in components:
drawIt(graph.subgraph(sub), what = 'component')
In [4]:
# list of connected components (sets of nodes), starting with largest
print "List of connected components =", [len(c) for c in sorted(nx.connected_components(ugraph), key=len, reverse=True)]
# generate connected components as subgraphs; Gc is largest component
subgraphs = list(nx.connected_component_subgraphs(ugraph))
List of connected components = [1140, 7, 4, 4, 4, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2]
In [5]:
Gc = max(nx.connected_component_subgraphs(ugraph), key=len)
print "Size of greatest component =", len(Gc)
Size of greatest component = 1140
Moody and White provide an algorithm for identifying k-components in a graph, which is based on Kanevsky’s algorithm for finding all minimum-size node cut-sets of a graph (implemented in all_node_cuts() function):
In [6]:
# returns all minimum k cutsets of an undirected graph
# i.e., the set(s) of nodes of cardinality equal to the node connectivity of G
# thus if removed, would break G into two or more connected components
cutsets = list(nx.all_node_cuts(Gc))
print "# of cutsets =", len(cutsets)
# of cutsets = 226
In [7]:
# returns a set of nodes or edges of minimum cardinality that disconnects G
print "Min node cut =", nx.minimum_node_cut(Gc, s='vaccines', t='autism')
print "Min edge cut =", nx.minimum_edge_cut(Gc)
Min node cut = set([u'mercury', u'toxic chemical ingredients', u'vaccine safety', u"alzheimer's", u'measles', u'CDC whistleblower', u'CDC', u'vaccine-injured children', u'thimerosal', u'vaccination', u'public', u'rates', u'encephalopathy', u'Vaccine Injury Compensation Program', u'MMR', u'studies', u'children', u'hepatitis B vaccine'])
Min edge cut = set([(u'influenza', u'childhood diseases')])
In [8]:
nx.minimum_node_cut(Gc, s='vaccines', t='autism')
Out[8]:
{u'CDC',
u'CDC whistleblower',
u'MMR',
u'Vaccine Injury Compensation Program',
u"alzheimer's",
u'children',
u'encephalopathy',
u'hepatitis B vaccine',
u'measles',
u'mercury',
u'public',
u'rates',
u'studies',
u'thimerosal',
u'toxic chemical ingredients',
u'vaccination',
u'vaccine safety',
u'vaccine-injured children'}
In [9]:
a = nx.minimum_edge_cut(Gc, s='autism', t='vaccines')
a
Out[9]:
{(u'African American males', u'MMR'),
(u'CDC whistleblower', u'mainstream media'),
(u'autism', u'CDC'),
(u'autism', u'MMR'),
(u'autism', u'Ryan Mojabi'),
(u'autism', u'Vaccine Injury Compensation Program'),
(u'autism', u"alzheimer's"),
(u'autism', u'children'),
(u'autism', u'encephalopathy'),
(u'autism', u'glutathione'),
(u'autism', u'hepatitis B vaccine'),
(u'autism', u'measles'),
(u'autism', u'preservative'),
(u'autism', u'public'),
(u'autism', u'studies'),
(u'autism', u'thimerosal'),
(u'autism', u'toxic chemical ingredients'),
(u'autism', u'vaccination'),
(u'autism', u'vaccine safety'),
(u'autism', u'vaccine-injured children'),
(u'autism', u'vaccines'),
(u'link', u'CDC'),
(u'military records', u'measles decline'),
(u'newborn boys', u'hepatitis B vaccine')}
In [10]:
labels = nx.get_edge_attributes(Gc,'edge')
edgelabels = {}
for e in labels.keys():
e1 = e[0:2]
edgelabels[e1]=labels[e]
edgelabels
Out[10]:
{(u'labor and delivery floor', u'parents'): u'walking into the',
(u'public', u'autism'): u'wonders why they have',
(u'Merck', u'lies'): u'exposed for',
(u'patients', u'payment'): u'fight for',
(u'holocaust',
u'vaccine apologists'): u'relish in aiding and abetting a real-life',
(u'Prevnar', u'vaccination'): u'added to childhood',
(u'infectious diseases',
u'people'): u'more than 500 million have died as a result of',
(u'sicker children',
u'vaccination'): u'dramatically increasing the number during the past 30 years led to',
(u'chicken kidney cells',
u'flu shots'): u'contain questionable ingredients such as',
(u'newborns', u'hepatitis B vaccine'): u'routine use began 1992 for all',
(u'government healthcare reform',
u'mandatory vaccines'): u'may include trying to make',
(u'safe', u'evidence'): u'may not prove the flu shot is',
(u'drug companies',
u'national vaccination policy'): u'astoundingly effective at manipulating',
(u'higher doses', u'profits'): u'to maximize',
(u'public health laws',
u'informed consent'): u'stand up and fight to protect and expand in state level',
(u'children', u'mandatory vaccines'): u'poison',
(u'drugs', u'aspirin'): u'considered by many one of safest',
(u'violation of basic human rights', u'vaccine court'): u'is',
(u'prejudice', u'unvaccinated'): u'against the',
(u'aspirin', u'serious problems'): u'if you take ten',
(u'mainstream media',
u'statistics'): u'about an occasional outbreak of a disease never seem to balance their accounts with readily available',
(u'arthritis', u'bovine calf serum'): u'causes',
(u'genetic predisposition', u'SB 277'): u'makes no mention of',
(u'MMR', u'encephalopathy'): u'had caused the',
(u'encephalitis', u'live-virus vaccine'): u'can cause',
(u'trace amounts of thimerosal', u'children'): u'differently affect',
(u'disabled children',
u'over-vaccination'): u'may be chronically ill because of',
(u'flu shots',
u'flu-related deaths'): u'no studies have conclusively proven that flu shots prevent',
(u'MRC-5 cells', u'shocking dangers'): u'of injecting',
(u'human rights', u'SB 277'): u'is gross violation of',
(u'seasonal flu shot',
u'pandemic H1N1 swine flu vaccine'): u'2010/2011 contains',
(u'bleeding during pregnancy',
u'pregnant women'): u'were given thimerosal if there was any',
(u'cover-up', u'censored medical news stories'): u'was one of the most',
(u'children',
u'brain damaged and autistic'): u'avoiding vaccinating will prevent from becoming',
(u'vaccination', u'informed consent'): u'critical to',
(u'practice of family center care',
u'informed consent'): u'obtaining for a medical procedure under false pretenses is contrary to the',
(u'Dr. Paul Offit', u'personal financial stake'): u'has big',
(u'modern medicine', u'destructive nature'): u'has',
(u'crazy approach', u'Jenny McCarthy'): u'used somewhat',
(u'vaccines', u'aluminum'): u'contain',
(u'consent for vaccines', u'parents'): u'do not receive truthful',
(u'shingles vaccine', u'monosodium glutamate'): u'contains',
(u'studies',
u'safe'): u'funded by pharmaceutical companies proved influenza vaccine is',
(u'vaccine damage', u'Big Pharma'): u'is used by',
(u'measles outbreak', u'vaccinated children'): u'have something to fear from',
(u'mutagen', u'thimerosal'): u'is a known',
(u'highly susceptible',
u'formula'): u'were Baby Boomers because they were almost exclusively fed',
(u'children', u'normal life'): u'will never again lead',
(u'diabetes deaths',
u'high fructose corn syrup'): u"1.26 million each year yet they're still pushing in school lunches",
(u'vaccines',
u'more severe autism'): u'if we had not been diligent with their',
(u'Dr. Paul Offit',
u'vaccinations save lives'): u'is not just a doctor who believes that',
(u'oil of oregano', u'essential oils'): u'is',
(u'children with autism', u'special needs staff'): u'harmed by',
(u'deaths', u'you'): u'please talk about it if suffered',
(u'military records', u'great records'): u'kept',
(u'MCR-5', u'Pro-Quad Hepatitis A'): u'used for',
(u'marketing vaccines to children', u'unethical'): u'is',
(u'pandemic H1N1 swine flu vaccine',
u'United Kingdom'): u'damaged 800 children in',
(u'prejudice', u'job'): u'could come soon when it comes to',
(u'hydrolyzed porcine gelatin',
u'synthetic growth hormones'): u'injecting poses risk of infection from',
(u'Gardasil',
u'lawsuit'): u'claims information comes from foreign countries for',
(u'safe form of mercury',
u'vaccine pushers'): u'is often ridiculously claimed by',
(u'bribery', u'ethical track record'): u'full of',
(u'Nichole Rolfe', u'solid marks'): u'earned',
(u'skin reactions', u'bovine calf serum'): u'causes ',
(u'mercury', u'glutathione levels'): u'is not the only toxin that can affect',
(u'genetically-modified human albumin',
u'vaccine ingredients'): u'disturbing like',
(u'vaccine damage', u'medications'): u'is route to selling more',
(u'toxic substances',
u'infant death after vaccination'): u'was injected with multiple',
(u'Dr. Paul Offit', u'For Profit Offit'): u'is also known as',
(u'Jim Carrey', u'pro-vaccination'): u'claims to be',
(u'measles cycle', u'Baby Boom'): u'did not happen after',
(u'neurological damage', u'vaccinated children'): u'among',
(u'unethical', u'vaccine bullying curriculum'): u'is',
(u'outrageous',
u'measles mortality'): u'given global population rate is not really',
(u"alzheimer's", u'elderly'): u'is in',
(u'ex-models', u'pharmaceutical companies'): u'hire',
(u'National Vaccine Injury Compensation Program', u'litigious'): u'is',
(u'vaccines',
u'righteous anger'): u'after learning there is no way to scientifically prove',
(u'Gardasil', u'seizures'): u'causes',
(u'Octoxinol-9', u'vaccine ingredients'): u'is questionable',
(u'Merck', u'shocking revelations'): u'have gone public with',
(u'U.S. government', u'lead'): u'tells us is BAD',
(u'exposures',
u'autism'): u'we need to know what in combination mean to the health of children to turn around the tide of',
(u'sanctions', u'health officials'): u'by',
(u'misguided notion',
u'health'): u'that more is always better when it comes to',
(u'Pandemrix',
u'European Medicines Agency'): u'warned in 2011 against using in under 20 years of age',
(u'flu shots',
u'monosodium glutamate'): u'contain questionable ingredients such as',
(u'African-American children', u'vaccine-autism link'): u'in',
(u'sick children', u'over-vaccination'): u'may be chronically ill because of',
(u'vaccine injuries', u'heavy metals'): u'damage victims',
(u'vaccine corruption', u'Jim Carrey'): u'shed light on',
(u'preventable disease',
u'vaccinated children'): u'are up to five times more likely than unvaccinated children to contract',
(u'measles mortality',
u'measles cases'): u'around 1 or 2 out of a thousand will become',
(u'vaccine injuries',
u'vaccine-injured families'): u'Surgeon General Vivek Murthy is rubbing salt in the wounds of',
(u'safe level', u'thimerosal'): u'for humans no toxicologically established',
(u'genetically susceptible children',
u'vaccine damage'): u'are hyper-susceptible to',
(u'toxins', u'healthy people'): u'might eliminate relatively quickly',
(u'MRC-5 cells', u'lung tissue'): u'derived from',
(u'doctors',
u'ignorance of scientific facts'): u'who says the level of mercury in a vaccine is safe to inject into a child is only demonstrating their outrageous',
(u'vaccines', u'antibiotics'): u'CDC openly admits still used in',
(u'sanitation improvements', u'measles decline'): u'was due to',
(u'patients', u'informed consent'): u'should be allowed',
(u'vaccine reactions', u'you'): u'please talk about it if suffered serious',
(u'hepatitis B vaccine',
u'early intervention'): u'was associated with the receipt of',
(u'vaccine corruption', u'CDC'): u'involved with',
(u'vaccine story',
u'public conversation'): u'only by sharing our perspective and what we know to be true about vaccination will the it open up',
(u'mothers', u'social campaigns'): u'have shamed',
(u'inflammatory adjuvant', u'aluminum'): u'used as',
(u'truthful', u'consent for vaccines'): u'is not',
(u'Supreme Court', u'vaccine court'): u'is higher power than',
(u'African women',
u'vaccines'): u'secretly laced with abortion chemicals were given to',
(u'special care', u'vaccine-injured children'): u'require',
(u'seasonal flu shot', u'thimerosal'): u'is present in nearly all',
(u'high price', u'Prevnar'): u'added despite',
(u'assault and battery',
u'informed consent'): u'obtaining for a medical procedure under false pretenses is',
(u'aluminum', u'human biology'): u'toxic when injected to',
(u'shut your mouth and comply',
u'you'): u'if question the vaccination issue, you will be told to',
(u'vaccines', u'efficacy'): u'uncertainty surrounding',
(u'vaccines', u'toxic chemical ingredients'): u'are used in',
(u'vaccines', u'intelligent questions'): u'are not allowed to be asked about',
(u'aluminum', u'mandatory vaccines'): u'poison children with',
(u'effective', u'vaccines'): u'are not totally',
(u'vaccines', u'pandemic H1N1 swine flu'): u'was highly reactive for',
(u'Nichole Rolfe', u'proper protocol'): u'trying to abide by',
(u'disability',
u'vaccines'): u'more and more vaccines in early life setting some children up for',
(u'epidemic proportions', u'measles'): u'was not at',
(u'Freedom of Information Act',
u'vaccine-autism link'): u'requests have resulted in copious evidence for',
(u'vaccine doctrine', u'poisoning children'): u'has become',
(u'NVIC', u'freedom of choice'): u'one of the top goals is preserving your',
(u'health choices', u'right'): u'critical to make independent',
(u'intelligent questions', u'censored'): u'are',
(u'death from congenital malformation',
u'measles mortality'): u'more likely than',
(u'eye pain',
u'adverse effects'): u'experienced after flu shot vaccines include',
(u'vaccines', u'autism'): u'debate rages on',
(u'rates', u'military records'): u'used actual',
(u'cover-up', u'ethical track record'): u'full of',
(u'Surgeon General Vivek Murthy',
u'sell vaccines to minors'): u'uses Elmo to',
(u'shingles vaccine', u'Zoster'): u'is branded',
(u'vaccine supply', u'Congress'): u'pledged to protect',
(u'cranial nerve paralysis',
u'adverse effects'): u'experienced after flu shot vaccines include',
(u'California Governor Jerry Brown',
u'medical genocide'): u"will soon have to decide if he's going to commit",
(u'pandemic H1N1 swine flu vaccine', u'cataplexy'): u'causes',
(u'neurotoxin', u'aluminum'): u'are',
(u'autism rise', u'genetic predisposition'): u'CDC claims due to',
(u'vaccine additives', u'CDC'): u'admits',
(u'brain inflammation', u'shingles'): u'can also lead to',
(u'rational scientist',
u'mercury'): u'cannot believe it is somehow safe injecting infants and children with',
(u'thimerosal', u'reproductive toxin'): u'is a recognized',
(u'modus operandi', u'harassment'): u'is becoming',
(u'formaldehyde', u'vaccine ingredients'): u'is questionable',
(u'vaccine safety', u'vaccination issue'): u'if you question',
(u'thimerosal-free',
u'Bush Administration'): u'granted pharmaceutical companies the ability to claim',
(u'military records', u'measles decline'): u'show before measles vaccine',
(u'Western medicine', u'Americans'): u'most have no clue',
(u'Vaccine Injury Compensation Fund',
u'U.S. citizens'): u'have to try and get a piece of the',
(u'National Vaccine Injury Compensation Program',
u'patients'): u'are uninformed about',
(u'mercury', u'mandatory vaccines'): u'poison children with',
(u'children', u'health'): u'are moving in the opposite direction of',
(u'Pandemrix', u'GlaxoSmithKline'): u'is produced by',
(u'government partnership with Big Pharma', u'profit-making'): u'based on',
(u'children', u'victims'): u'include 60',
(u'Gardasil', u'fever'): u'causes',
(u'airports', u'toxic and ineffective flu shots'): u'are sold in',
(u'member of the lunatic fringe',
u'anti-vaccination'): u'will automatically be labeled a',
(u'childhood diseases',
u'vaccine proponents'): u'always claim widespread use of vaccines has solely reduced incidence of',
(u'defective vaccines',
u'mainstream media'): u'reports case after case where children are damaged by',
(u'CDC', u'autism'): u'obscure an existing link between vaccines and',
(u'vaccine industry', u'generation of children'): u'is destroying',
(u'exemptions', u'vaccine industry'): u'fight against',
(u'revenues', u'mainstream media'): u'fear losing advertising',
(u'deliberate release of pathogens',
u'people'): u'more than 500 million have died as a result of',
(u'fetal bovine serum',
u'toxic chemical ingredients'): u'in vaccines including',
(u'vaccine injuries', u'real'): u'are',
(u'thimerosal', u'neurological disorders'): u'has correlation with',
(u'behavior changes',
u'parents of vaccine-injured children'): u'often report',
(u'settlement',
u'Vaccine Injury Compensation Fund'): u'reported frustration is common trying to receive',
(u'vaccine-autism link', u'unconcscionable'): u'dismissal is',
(u'elopement', u'children with autism'): u'49 percent',
(u'vaccine additives', u'antibiotics'): u'include',
(u'unvaccinated children',
u'allergies'): u'tests would show to be better off in terms of',
(u'Flinstones', u'Chocks'): u'followed shortly after',
(u'children', u'financial compensation'): u'to receive $90 million in',
(u'vaccine choices',
u'medical trade associations'): u'are being threatened by lobbyists representing',
(u'doctors',
u'people'): u'no longer possible to rely on the judgment of trusted',
(u'Pandemrix', u'unprecedented drive'): u'given in',
(u'autism cases', u'neurological damage'): u'include',
(u'omitting deaths',
u'pharmaceutical companies'): u'numerous times accused of',
(u"California's vaccine violence", u'SB 277'): u'is',
(u'delusions', u'vaccine-injured children'): u'are',
(u'parents',
u'real risks'): u'want to warn others that vaccinating comes with',
(u"GlaxoSmithKine's Energix B", u'thimerosal-free'): u'licensed as',
(u'children',
u'neonatal infection'): u'240,000 die each year in low income countries from',
(u'vaccines',
u'vaccine industry'): u'seems to view the 308 million people living in the U.S. as little more than pin cushions for their profitable',
(u'flu shots', u'flu-related doctor visits'): u'have no impact on',
(u'time-consuming', u'National Vaccine Injury Compensation Program'): u'is',
(u'diabetes deaths', u'deaths'): u'1.26 million each year from',
(u'UK government',
u'pandemic H1N1 swine flu vaccine'): u'agreed to pay $90 million to families of children permanently brain-damaged by',
(u'herd mentality', u'pack of lemmings'): u'is like',
(u'financial compensation',
u'UK government'): u'agreed to pay $90 million in',
(u'preservative', u'autism'): u'in vaccine causes',
(u'Secretary of U.S. Department of Health and Human Services',
u'The Advisory Committee on Immunization Practices'): u'selected by',
(u'drug companies', u'toxic and ineffective flu shots'): u'sell',
(u'Nichole Rolfe', u'silenced'): u'when she questioned rationale was',
(u'initiatives that helped the poor',
u'Robert F. Kennedy Jr.'): u'continued to support until his death in November 1963',
(u'push vaccines on sick children',
u'Baker College nursing school instructors'): u'instructed Nichole Rolfe and classmates to',
(u'conversation about vaccination',
u'medical trade associations'): u'we cannot allow them to dominate',
(u'vaccine industry', u'state level'): u'begging for',
(u'state', u'parents'): u'government to incarcerate in prison',
(u'questionable ethical practices',
u'pharmaceutical companies'): u'long associated with',
(u'violation of basic human rights', u'mandatory vaccines'): u'is blatant',
(u'chewable multivitamin', u'Chocks'): u'was first',
(u'neurotoxin', u'flu shots'): u'remains in 60 percent of',
(u'Rep. Bill Posey', u'whistleblower'): u'worked with',
(u'cancer', u'Americans'): u'exposed to SV40 could have developed',
(u'public health', u'lobbyists'): u'representing',
(u'cod-liver oil', u'measles'): u'used beginning in 1932 to treat',
(u'monkey kidney cells', u'SV40'): u'found in',
(u'thimerosal', u'flu shots'): u'still included in multi-dose',
(u'genetic screening', u'SB 277'): u'does not require',
(u'toxins', u'politicians'): u'deliberate release',
(u'toxic chemical ingredients', u'food supply'): u'variety are added into',
(u'Merck', u'lab results'): u'routinely fabricated',
(u'influenza', u'childhood diseases'): u'is most common',
(u'phthalates', u'autism'): u'may be significant contributing factor to',
(u'mercury', u'flu shots'): u'is still added to',
(u'flu shots', u'pregnant women'): u'administered to',
(u'pro-vaccination', u'marketing'): u'has gotten strong in terms of',
(u'measles cycle',
u'measles cases'): u'would expect to see spike every 2 to 3 years in',
(u'THEY', u'us not comprehending'): u'are counting on',
(u'scientific fraud',
u'criminal fraud'): u'in any other industry this would be considered',
(u'children', u'food'): u'could not afford',
(u'severe narcolepsy', u'Pandemrix'): u'developed in boy after receiving',
(u'Josh Hadfield', u'vaccine-damaged children'): u'is',
(u'Eli Lily drug company reps',
u'lavish gifts'): u'instructed to give to doctors',
(u'modern medicine', u'vaccination'): u'condemns',
(u'vaccines', u'disease'): u'spread',
(u'children',
u'Global Post'): u'reports more that 170 cases of narcolepsy in',
(u'normal behavior',
u'Matthew Downing'): u'following vaccination became grumpy and cried a lot the day after receiving the eight inoculations was',
(u'pain', u'elderly'): u'incurred by some',
(u'post-marking surveillance',
u'scientific literature'): u'not yet released means there is little',
(u'detoxification',
u'mercury'): u"glutathione key biochemical in body's pathway",
(u'lies', u'thimerosal removal'): u'statement was outright',
(u'Gardasil', u'headache'): u'causes',
(u'government propaganda', u'vaccine messages'): u'involving Elmo are',
(u'years', u'shingles vaccine'): u'is only good for a few',
(u'DNA', u'residual components of MRC-5 cells'): u'including',
(u'cellular degeneration', u'thimerosal-induced cellular damage'): u'led to',
(u'Herpes Zoster', u'shingles'): u'or',
(u'mainstream media',
u'drug companies'): u'receives significant portion of revenues from very same',
(u'thimerosal', u'multi-dose vials'): u'is still used in some',
(u'inflammation of immune system', u'monosodium glutamate'): u'used to cause',
(u'pharmacies', u'toxic and ineffective flu shots'): u'are sold in',
(u'secret gathering', u'Robert F. Kennedy Jr.'): u'exposing truth about',
(u'single dose vaccines', u'thimerosal'): u'not necessary in',
(u'public health',
u'vaccination exemptions'): u'lobbyists trying to persuade legislators to strip from',
(u'hydrolyzed porcine gelatin', u'chemicals'): u'was reduced with',
(u'measles mortality', u'death from stomach ulcers'): u'more common than',
(u'scientists', u'evidence'): u'meeting held to decide which to destroy',
(u'job', u'discrimination'): u'could come soon when it comes to',
(u'Merck',
u'government contracts'): u'fabricated lab results to continue receiving',
(u'Gardasil', u'dizziness'): u'causes',
(u'Gardasil',
u'injury claims'): u'information comes from foreign countries for',
(u'measles rate', u'measles cases'): u'CDC uses number rather than',
(u'preservative',
u'multi-dose vaccine'): u"maybe it's time to eliminate because multi-dose vials require",
(u'irritable bowels', u'public'): u'wonders why they have',
(u'GoodGopher.com', u'alternative media'): u'now favored on',
(u'should be questioned', u'simultaneous vaccinations'): u'use at once',
(u'doctors', u'adverse effects'): u'less than 1% reported by',
(u'desire by Big Pharma', u'market share'): u'is to improve',
(u'mantra of pharma-controlled press',
u'vaccine injury denialism'): u'is present-day',
(u'doctors', u'parents of vaccine-injured children'): u'trusted',
(u'CDC', u'swine flu panic campaign'): u'launched contrived',
(u'vaccine dangers', u'informed consent'): u'should be given about',
(u'scientific fraud',
u'statistical links'): u'carried out for sole purpose of fraudulently burying',
(u'vaccine-autism link', u'evidence'): u'of',
(u'nausea', u'Gardasil'): u'causes',
(u'incidence',
u'evidence'): u'no good scientific that demonstrates not contributing to increasing',
(u'Pandemrix-narcolepsy link', u'GlaxoSmithKline'): u'refused to acknowledge',
(u'courage', u'parents'): u'takes years to gain',
(u'Renee Gentry',
u'Vaccine Injured Petitioners Bar Association'): u'is president of',
(u'scientifically irresponsible assertion',
u'infants'): u'can safely receive up to 10,000 vaccines at once and 100,000 in a lifetime is',
(u'deceitful social engineering',
u'vaccine industry'): u'instead of making vaccines safer engages in',
(u'Nichole Rolfe',
u'blatant violations of the Hippocratic Oath'): u'actually questioned these and other',
(u'industry-funded findings', u'thimerosal'): u'that safe to inject',
(u'MCR-5', u'researchers'): u'developed',
(u'polio vaccine', u'cancer viruses'): u'98 million Americans exposed from',
(u'vaccine damage', u'pharmaceutical companies'): u'citizens cannot sue for',
(u'vaccine industry',
u'Bruesewitz v. Wyeth'): u'decision took away any ability for an individual to hold accountable',
(u'math', u'CDC'): u'does not add up for',
(u'vaccine insert sheets',
u'toxic chemical ingredients'): u'readily admit they are manufactured with a cocktail of',
(u'flu-related hospitalizations', u'flu shots'): u'have no impact on',
(u'Gardasil', u'Merck'): u'remains confident',
(u'environmental chemicals',
u'autism'): u'may be significant contributing factors to',
(u'California government', u'corporate constructed'): u'is aggressive effort',
(u'heightened emotion', u'cataplexy'): u'causes',
(u'government partnership with Big Pharma', u'ideology'): u'based on',
(u'Eli Lily drug company reps',
u'profitable drugs'): u'instructed to push more',
(u'heightened emotion', u'laughing'): u'includes',
(u'vaccination schedule', u'disease'): u'are actually stable included on the',
(u'vaccine-autism link', u'conclusion'): u'you cannot come to a',
(u'measles mortality', u'death from car accident'): u'more common than',
(u'Dr. Paul Offit',
u'The Advisory Committee on Immunization Practices'): u'previously served as member of',
(u'revelation', u"Attkisson's website"): u'reported on',
(u'anti-vaccination', u'Jenny McCarthy'): u'revisionist stance harmed',
(u'lobbying',
u'mandatory vaccines'): u'by vaccine industry to push to influence',
(u'cancer viruses',
u'Hilleman'): u'openly admitted injecting tens of millions of people with hidden',
(u'shut your mouth and comply', u'CDC'): u'will tell you to',
(u'corporate-funded make-believe science tabloids',
u'scientific literature'): u'are often little more than a collection of',
(u'simultaneous vaccinations',
u'infants'): u'suddenly died after receiving eight',
(u'vaccination', u'social size'): u'waves began to break with greater',
(u'market practices',
u'vaccination exemptions'): u'are apparently viewed by the vaccine industry as unfair',
(u'children with autism', u'school isolation rooms'): u'put into',
(u'public health',
u'vaccine choices'): u'are being threatened by lobbyists representing',
(u'toxic adjuvants', u'vaccines'): u'has ',
(u'good news', u'young doctors'): u'growing number of smart',
(u'ultimate price', u'vaccine-injured children'): u'have paid',
(u'Vaccine Injury Compensation Program', u'paid damages'): u'has',
(u'vaccine reactions',
u'family member'): u'please talk about it if suffered serious',
(u'pandemic H1N1 swine flu vaccine', u'severe brain damage'): u'caused',
(u'science', u'cigarettes'): u'made a mistake when condoning smoking',
(u'discrimination', u'health insurance'): u'could come soon when it comes to',
(u'Merck', u'whistle'): u'have blown',
(u'line up', u'people'): u'are expected to just',
(u'public health officials', u'lobbying'): u'manipulates',
(u'children', u'brain dysfunction'): u'more than twice as many as 1970s with',
(u'glutathione',
u'autism'): u'significantly lower in patients diagnosed with',
(u'vaccination exemptions',
u'informed consent'): u'protect your right and defend',
(u'safe', u'vaccines'): u'are not totally',
(u'Merck', u'vaccine efficacy'): u'exposed for lying about',
(u'risks', u'human rights'): u'to be fully informed about all',
(u'vaccine-autism link', u'parents'): u'many continue to insist',
(u'pandemic H1N1 swine flu vaccine',
u'pharmaceutical profits'): u'have soared from',
(u'WHO', u'swine flu panic campaign'): u'launched contrived',
(u'herd mentality',
u'shut your mouth and comply'): u'millions of folks will do just that',
(u'thimerosal', u'hepatitis B vaccine'): u'contained 25 micrograms',
(u'heightened risk of narcolepsy',
u'vaccinated children'): u'study indicates 13-fold in',
(u'hepatitis B', u'AIDS'): u'is about as difficult to catch as',
(u'glutathione',
u'mercury'): u"key biochemical in body's pathway for detoxification of",
(u'vaccine choices',
u'state level'): u'action to protect can have greatest impact at',
(u"American Nursing Association's Code of Ethics",
u'informed consent'): u'obtaining for a medical procedure under false pretenses violates',
(u'thimerosal phase out',
u'precautionary measure'): u'CDC, American Academy of Pediatrics, and FDA insisted was',
(u'vaccines', u'pneumonia'): u'also lead to',
(u'loss of coordination', u'behavior changes'): u'such as',
(u'financial compensation', u'vaccine injury settlement'): u'is part of a',
(u'lies', u'CDC'): u'statement about thimerosal removal was outright',
(u'injecting any substance',
u'respiratory system'): u'bypasses the protections of the',
(u'science',
u'pharmaceutical companies'): u'hilariously scream that vaccine safety is backed by',
(u'medical fraud', u'vaccine industry'): u'has',
(u'Baker College nursing school',
u'Connie Smith'): u'is director of nursing at',
(u'breast milk', u'formula'): u'babies were drinking instead of',
(u'United States',
u'biological warfare program'): u'has hidden from the rest of the world',
(u'newborn boys',
u'hepatitis B vaccine'): u'more than tripled their risk of developing autism spectrum disorder in',
(u'toxins', u'problem'): u'any number may be contributing to',
(u'parents of vaccine-injured children',
u'vaccine efficacy'): u'once trusted',
(u'United States', u'measles vaccine'): u'administered in mid-1980s',
(u'FDA', u'toxic chemical ingredients'): u'regulated by',
(u'cancer patients',
u'live-virus vaccine'): u'those recently received are advised to stay away from',
(u'CDC', u'vaccine efficacy'): u'falsely claims',
(u'Vaccine Injury Compensation Fund',
u'taxes'): u'is funded by purchase of vaccines',
(u'public', u'scientific fraud'): u'is endangering the',
(u'Nichole Rolfe lawsuit', u'Connie Smith'): u'is specifically named in',
(u'polio vaccine', u'SV40'): u'contaminated with',
(u'doctors', u'cod-liver oil'): u'began in 1932 using',
(u'VAERS hepatitis B reports', u'deaths'): u'show 439',
(u'Jim Carrey',
u'SB 277'): u'has been drawing much attention for his blatant dissent of',
(u'Nichole Rolfe', u'critical thinking'): u'was merely asking questions and',
(u'collagen', u'pig bones'): u'inside',
(u'flu shots',
u'Polysorbate 80'): u'contain questionable ingredients such as',
(u'vaccine injury reporting system', u'parents'): u"many aren't aware exists",
(u'fiction and reality', u'politicians'): u'draw line between',
(u'vaccine injury reporting system',
u'health care professionals'): u'should know exists',
(u'Surgeon General Vivek Murthy', u'Elmo'): u'lied to',
(u'vaccines', u'dangerous medical intervention'): u'potentially is',
(u'biological weapons', u'United States'): u'in 1969 canceled research on',
(u'Dr. Paul Offit',
u"ACIP's rotavirus use recommendation"): u'voted yes three times out of four on issues pertaining to',
(u'remove heavy metals',
u'SB 277'): u'refuses to require vaccine industry to',
(u'mainstream media', u'genetics'): u'cast aside when it suits',
(u'bovine calf serum', u'cow skin'): u'extracted from',
(u'travel',
u'larger campaign'): u'in future may end up dictating whether you will be allowed',
(u'hepatitis B', u'rare disease'): u'is',
(u'pandemic H1N1 swine flu vaccine',
u'idiopathic thrombocytopenia purpura'): u'federal oversight committee found possible link to',
(u'vaccines',
u'mainstream media'): u'claims to report honest, unbiased information about',
(u"Children's Hospital", u'Paul Offit'): u'holds research chair at',
(u'rational scientist',
u'monosodium glutamate'): u'cannot believe it is somehow safe injecting infants and children with',
(u'annual flu shot', u'New Jersey law'): u'requiring',
(u'vaccine doctrine', u'First do no harm'): u'was',
(u'vaccines', u'trustworthy'): u'are not',
(u'children with autism', u'wander off'): u'49 percent',
(u'science',
u'lemming society'): u"independent evaluation simply isn't acceptable in a",
(u'vaccine agenda', u'mercury'): u'hides',
(u'MTHFR C677T defect',
u'French Canadian descent'): u'approximately 40% have inherited both',
(u'SB 277',
u'informed consent'): u'attempts to coerce children into being vaccinated without',
(u'United States', u'measles mortality'): u'had low number of',
(u'United States', u'vaccines'): u'giving more',
(u'employers', u'harassment'): u'by',
(u'CDC', u'population growth'): u'makes no attempt to adjust for drastic',
(u'collagen', u'pig skin'): u'inside',
(u'Vaccine Injury Compensation Program',
u'vaccine-damaged children'): u'paid out nearly $3 billion in financial compensation to families of',
(u'Gardasil',
u'breast milk'): u'mothers who have been vaccinated causes acute respiratory illness in babies who consume',
(u'children',
u'learning disabilities'): u'number has more than tripled during past 30 years for',
(u'vaccine decisions', u'delaying vaccinations'): u'personalized such as',
(u'pandemic H1N1 swine flu',
u'flu season'): u'turned out to be one of the mildest in recent years',
(u'CDC website',
u'CDC'): u'still lists toxic chemical ingredients used in vaccines on',
(u'doctors', u'vaccine efficacy'): u'told parents to trust',
(u'International Business Times',
u'narcolepsy'): u'reports it affects sleeping cycle',
(u'population', u'THEY'): u'are counting on us not comprehending vast',
(u'pandemic H1N1 swine flu vaccine',
u'mercury'): u'many will contain 25 mcg of',
(u'flu shots', u'infants'): u'administered to',
(u'National Vaccine Injury Compensation Program',
u'generous'): u'was created to be',
(u'California government',
u'genetically susceptible children'): u'are being deliberately sacrificed by',
(u'shingles vaccine', u'pig gelatin'): u'is made with',
(u'vaccines', u'heavy metals'): u'still used in',
(u"GlaxoSmithKine's Energix B", u'aluminum'): u'contain 0.5mg',
(u'injection of carcinogenic chemicals',
u'elderly'): u'is recommended by ACIP for',
(u'National Vaccine Injury Compensation Program',
u'promises'): u'is not living up to',
(u'battle', u'vaccine injury lawsuits'): u'may require years-long',
(u'placebo', u'flu shots'): u'no more effective than',
(u'Homeland Security Bill',
u'pharmaceutical companies'): u'snuck in last minute provision which prevented lawsuits on',
(u'immunization schedule',
u'hepatitis B vaccine'): u'should never have been included in',
(u'scientific fraud', u'mainstream media'): u'will not expose',
(u'pro-vaccination', u'measles decline'): u'people upset to hear',
(u'autism patients',
u'neurological damage'): u'from thimerosal similar to that seen in',
(u'detoxification', u'glutathione'): u"key biochemical in body's pathway for",
(u'safety', u'mercury'): u'has no evidence of',
(u'U.S. government', u'mercury'): u'tells us is GOOD',
(u'Merck', u'vaccine results'): u'faked',
(u'hospital', u'aspirin'): u'better hope is nearby if you take fifty',
(u'Disneyland measles outbreak', u'operation'): u'was',
(u'hepatitis B vaccine',
u'cancer'): u'produced from chimps and monkeys are responsible',
(u'lifetime need', u'autism'): u'results in',
(u'compromised immunity', u'elderly'): u'more likely to already have',
(u'injected',
u'ethylmercury'): u'should not under any circumstances at any dose be deliberately',
(u'thimerosal phase out', u'CDC'): u'claims',
(u'Spanish American War', u'measles cases'): u'rate dropped to 26.1 during',
(u'flu shots', u'solid evidence'): u'none that actually work',
(u'False Claims Act', u'scientific fraud'): u'describe',
(u'mental illness', u'narcolepsy'): u'can lead to',
(u'big Ag', u'additives'): u'regulated by',
(u'adults', u'deaths'): u'have suffered',
(u'disease', u'live-virus vaccine'): u'those who receive could spread',
(u'anti-vaccination', u'people'): u'most feel afraid of',
(u'RH-', u'children with autism'): u'15% had mothers that were',
(u'parents', u'measles'): u'were being told is deadly',
(u'law', u'reporting'): u'not mandated by',
(u'vaccines are safe', u'CDC'): u'falsely claims',
(u'prejudice', u'health insurance'): u'could come soon when it comes to',
(u'toxic chemical ingredients',
u'autism'): u'may be significant contributing factor to',
(u'brain damage', u'vaccinated children'): u'among',
(u'partial facial paralysis',
u'adverse effects'): u'experienced after flu shot vaccines include',
(u'flu shot ingredients',
u'shingles vaccine ingredients'): u'virtually the same as',
(u'toxic',
u'injecting any substance'): u'into the human body makes it orders of magnitude more potentially',
(u'vaccine additives', u'mercury'): u'include',
(u'vaccine injuries',
u'statistically acceptable collateral damage'): u'cannot be treated like nothing more than',
(u'Senate hearing', u'Rep. Bill Posey'): u'finds troubling recent',
(u'rest of the world', u'biological warfare program'): u'hidden from',
(u'CNN', u'pharma-controlled press'): u'includes usual suspects such as',
(u'vaccine reactions', u'doctors'): u'can choose not to report adverse',
(u'vaccine-related adverse outcomes', u'coma'): u'include',
(u'hundreds of thousands of dollars', u'therapies'): u'costing',
(u"drug industry's greed",
u'Robert F. Kennedy Jr.'): u'wrote Rolling Stone article exposing truth about',
(u'vaccines', u'formaldehyde'): u'contain',
(u'quackery',
u'house of cards'): u'must be maintained or else comes tumbling down',
(u'doctors',
u'mercury is safe'): u'is demonstrating ignorance of scientific facts who says the level of',
(u'Civil War', u'measles cases'): u'rate dropped from 32.2 during',
(u'custody of children', u'state level'): u'government to seize at gunpoint',
(u'Vaccine Injury Compensation Program', u'vaccine court'): u'also known as',
(u'flu shots', u'Americans'): u'recommended for all',
(u'chicken kidney cells', u'vaccine ingredients'): u'is questionable',
(u'vaccine efficacy', u'vaccination issue'): u'if you question',
(u'immunity', u'antibiotic neomycin'): u'compromises',
(u'vaccines',
u'vaccine ingredients'): u'are virutally the same as most other',
(u'measles vaccine',
u'measles'): u'was almost completely eradicated before the arrival of the',
(u'vaccine reactions', u'post'): u'if you or your child experiences adverse',
(u'California government',
u'mandatory vaccines'): u'says yes to poisoning more children with mercury and aluminum in',
(u'vaccine industry', u'freedom of choice'): u'want to take away',
(u'science',
u'the herd'): u"showing that vaccines spread disease doesn't matter to",
(u'mentally challenged', u'vaccine toxins'): u'result in status',
(u'autoimmune disorder',
u'unvaccinated children'): u'tests would show to be better off in terms of',
(u'CDC', u'CDC documents'): u'kept under tight wraps by',
(u'autism rise', u'environmental issues'): u'CDC claims due to',
(u'neurological disorders', u'hepatitis B vaccine'): u'increased risk of',
(u'thimerosal', u'autism risk'): u'from exposure during infancy',
(u'quackery', u'vaccine industry'): u'pushing total science delusion',
(u'multi-dose vaccines', u'mercury'): u'used to stabilize',
(u'Rep. Bill Posey',
u'vaccine scientists meeting'): u'released statement saying CDC held',
(u'vaccine decisions',
u'families who decline vaccines'): u'include continuing to provide medical care for',
(u'debate', u'vaccine-autism link'): u'rages on about finding',
(u'pandemic H1N1 swine flu vaccine', u'harm'): u'causes no',
(u'public hygiene improvements', u'measles decline'): u'was due to',
(u'Washington Post', u'quackery'): u'is science section',
(u'children', u'brain-damaged'): u'in Norway were',
(u'monosodium glutamate', u'shingles vaccine ingredients'): u'include',
(u'California government', u'brain-damaged'): u'are',
(u'MMR',
u'African American males'): u'were at increased risk for autism who received before age 36 months',
(u'whistleblower', u'Dr. William Thompson'): u'is',
(u'Congress',
u'disease'): u'pledged to protect manufacturers to keep majority of Americans immune to possibly devastating',
(u'mercury', u'preservative'): u'is still used as ',
(u'stand up and fight', u'informed consent'): u'to protect and expand',
(u'sanity', u'citizens'): u'must be for',
(u'preservative', u'multi-dose vials'): u'need',
(u'parental consent',
u'SB 277'): u'will force children who are likely to be harmed by vaccines to be injected with vaccines against',
(u'Pandemrix victims', u'Peter Todd'): u'represented many',
(u'pandemic H1N1 swine flu',
u'vaccination'): u'were urged after WHO designated',
(u'vaccination', u'Jimmy Kimmel'): u'began to curl and break waves of',
(u'logic', u'citizens'): u'must be for',
(u'vaccine industry', u'vaccine efficacy'): u'are lying about',
(u'proof', u'mercury'): u'there is enough to ban any level of',
(u'mandatory vaccines', u'SB 277'): u'is law',
(u'seizures',
u'adverse effects'): u'experienced after flu shot vaccines include',
(u'vaccine science', u'religion'): u'many doctors believe is',
(u'hepatitis B', u'IV drug abuse'): u'real risk of acquiring',
(u'Merck',
u'mumps vaccine'): u'fabricated lab results to claim 95% efficacy rate in order to continue receiving government contracts on',
(u'lemming society', u'America'): u'is',
(u'thimerosal-free',
u'thimerosal'): u'even if claimed package insert would still list',
(u'adults', u'injury'): u'have suffered',
(u'U.S. citizens',
u'pharmaceutical companies'): u'U.S. is the only country where cannot sue',
(u'mercury',
u'rational doctor'): u'cannot believe it is somehow safe injecting infants and children with',
(u'mitochondrial damage', u'thimerosal-induced cellular damage'): u'led to',
(u'mandatory vaccines',
u'poisoning children'): u'with mercury and aluminum in',
(u'extreme challenges', u'autism'): u'results in',
(u'children', u'mercury'): u'removing would be in interest of protecting',
(u'herd mentality',
u"unaware they're running over a cliff"): u'is like pack of lemmings',
(u'idea',
u'mainstream media'): u'that vaccines harm children not allowed to surface in',
(u'desire by Big Pharma', u'profits'): u'is to improve',
(u'reactions', u'surveys'): u'put closer to 1% number of unreported',
(u'Chocks', u'Miles Laboratory'): u'in 1960 developed',
(u'Merck', u'vaccine safety'): u'exposed for lying about',
(u'rational scientist', u'injecting children'): u'cannot believe it is safe',
(u'lifelong condition', u'Pandemrix victims'): u'have',
(u'vaccination exemptions',
u'vaccine industry'): u'push to remove existing non-medical legal',
(u'legislators',
u'vaccination exemptions'): u'lobbyists are trying to persuade to strip',
(u'shot of perspective', u'vaccination'): u'more valuable than up to date',
(u'vaccine injury denialism',
u'mainstream media'): u'every one exists in a state of total',
(u'to vaccinate children', u'Amish'): u'largely refuse',
(u'family member', u'deaths'): u'please talk about it if suffered',
(u'FLULAVAL',
u'controlled trials'): u'there have been none adequately demonstrating decrease in influenza disease after vaccination with',
(u'vaccines', u'benefit'): u'people assume provides',
(u'HIV', u'Merck'): u'has been responsible for spreading',
(u'MCR-5', u'Varivax vaccine'): u'used for',
(u'childhood diseases',
u'mainstream media'): u'never seem to balance their accounts with statistics supporting the facts about',
(u'vaccines',
u'side effects'): u'associated with long list of frightening and bizarre',
(u'trace amounts of thimerosal',
u'thimerosal-free'): u'vaccines pharamaceutical companies claimed even if they contained',
(u'Baker College nursing school instructors',
u'unethical advice'): u'began dispensing',
(u'hepatitis B',
u'complications'): u'for every child that contracted there were 20 immunized babies reported to have severe',
(u'conversation about vaccination',
u'drug companies'): u'we cannot allow them to dominate',
(u'thimerosal', u'vaccine ingredients'): u'is questionable',
(u'prejudice', u'medical care'): u'could come soon when it comes to',
(u'children', u'hepatitis B vaccine'): u'harms far more than it helps',
(u'toxins',
u'toxic load'): u'plethora in your daily environment that contribute to',
(u'adverse effects',
u'variant genotypes'): u'three confirmed to be associated with',
(u'shingles vaccine', u'pain'): u'is supposed to reduce',
(u'biological and military programs',
u'politicians'): u'spend your tax dollars on top secretive',
(u'scientific fraud',
u'vaccine industry'): u'instead of making vaccines safer engages in',
(u'United States', u'measles cases'): u'had high number of',
(u'biological warfare program',
u'Codename Artichoke'): u'suggests that U.S. has hidden',
(u'sanctions', u'school officials'): u'by',
(u'panic', u'swine flu panic campaign'): u'created widespread',
(u'unable to sleep', u'narcolepsy'): u'leaves',
(u'revisionist history purge', u'CDC website'): u'scrubbed information in',
(u'criminal side', u'vaccine industry'): u'has',
(u'mandatory Health Law',
u'genetic testing'): u"through doctor's office should be a required covered test under",
(u'alienation',
u'vaccination'): u'has led to lots of mothers turning back to',
(u'RA 27/3', u'MMR'): u'still used today in',
(u'behavioral disorders',
u'unvaccinated children'): u'tests would show are better off in terms of',
(u'Washington Post',
u'mainstream media'): u'is quack science section outlet of U.S.',
(u'lymphatic cancer', u'SV40'): u'found in',
(u'children', u'Baby Boomers'): u'were highly susceptible because they were',
(u'Merck', u"Children's Hospital"): u'research chair funded by',
(u'financial compensation',
u'severe narcolepsy'): u'family of boy who developed wants',
(u'United States', u'rubella vaccine'): u'administered in mid-1980s',
(u'SV40', u'risk of cancer'): u'exposure can increase in humans',
(u'measles recovery period', u'CDC'): u'says about 2 weeks',
(u'cough', u'measles'): u'if contracted can expect',
(u'children',
u'immune system dysfunction'): u'more than twice as many as 1970s with',
(u'lies', u'vaccine safety'): u'is',
(u'measles mortality', u'death from congenital disease'): u'more likely than',
(u'vaccine industry', u'statistics'): u'will tell you these are unrelated',
(u"alzheimer's", u'adult brain cells'): u'same patterns in autism and',
(u'Nichole Rolfe', u'target'): u'claims that she became',
(u'vaccine reaction',
u'vaccine injuries'): u'learn how to recognize symptoms and prevent',
(u'trace levels of mercury', u'injecting'): u'is not safe for',
(u'sourced blood', u'human blood'): u'is not',
(u'children', u'injury'): u'have suffered',
(u'highly susceptible',
u'unexposed'): u'were Baby Boomers because they were previously',
(u'vaccines',
u'Matthew Downing'): u'had been given a vaccine not approved for his age',
(u'Gardasil', u'fetal development'): u'admits the effects are unknown on',
(u'lobbyists', u'medical trade associations'): u'representing',
(u'young doctors',
u'individualized approach'): u'at least 15 percent admit starting to adopt',
(u'polio vaccine', u'Merck'): u'has been responsible for unleashing',
(u'hepatitis B vaccine', u'deaths'): u'47 reported from',
(u'Gardasil', u'post-marking surveillance'): u'has not yet released',
(u'autism rate',
u'statistics'): u'recently suggest have increased to 1 in 63',
(u'infectious diseases',
u'vaccinated children'): u'as many as 97 percent struck by',
(u'mental function', u'narcolepsy'): u'damages',
(u'genetic predisposition', u'general population'): u'affect large number of',
(u'pandemic H1N1 swine flu vaccine',
u'mainstream media'): u'insists no harm whatsoever is caused by',
(u'control group',
u'flu shots'): u'when they researched the effects of giving 2 flu shots in 2009 when the H1N1 strain came out was 11 people',
(u'lemming society', u'critical thinking'): u"simply isn't acceptable in a",
(u'nutrition-lacking food', u'organic'): u'if not regularly eating',
(u'high risk of autism', u'CDC'): u'informed internally in 2000 of',
(u'prejudice',
u'informed consent'): u'those of us trying to exercise our right are facing',
(u'neurotoxin',
u'Robert F. Kennedy Jr.'): u'is disgusted by the widespread use of',
(u'vaccination', u'autism'): u'caused',
(u'reduced oxidative-reduction activity',
u'thimerosal-induced cellular damage'): u'led to',
(u'mainstream media',
u'CDC whistleblower'): u'total nationwide blackout on news about',
(u'financial influence',
u'mainstream media'): u'refuses to cover stories because of',
(u'aborted baby', u'lung tissue'): u'from 14-week',
(u'spermicidal applications', u'Triton X-100'): u'is also used in',
(u'Food and Drug Administration Modernization Act', u'FDA'): u'has',
(u'painful skin rashes', u'shingles'): u'causes',
(u'National Vaccine Injury Compensation Program',
u'pharmaceutical companies'): u'although difficult, is much easier than trying to sue',
(u'Nichole Rolfe',
u'Baker College nursing school instructors'): u'had harassed',
(u'sucrose', u'shingles vaccine ingredients'): u'include',
(u'mercury', u'CDC'): u'admits still used in vaccines',
(u'vaccine ingredients', u'Polysorbate 80'): u'is questionable',
(u'public', u'human blood'): u'has no idea where they come from',
(u'pediatric market',
u'national vaccination policy'): u'introduction was crucial factor for success in',
(u'spermicidal applications', u'Octoxinol-9'): u'is also used in',
(u'rates', u'autism'): u'in U.K is 1 in 83',
(u'seizures', u'behavior changes'): u'such as',
(u'blood or sexual contact', u'hepatitis B'): u'nearly always need to have',
(u'vaccine decisions',
u'giving children fewer vaccines on the same day'): u'such as',
(u'mandatory vaccines',
u'government'): u'constantly trying more shots for children',
(u'ethical track record', u'denial'): u'full of',
(u'mainstream media', u'vaccine industry'): u'refuses to report facts about',
(u'The Advisory Committee on Immunization Practices',
u'CDC'): u'provides guidelines to',
(u'vaccine injury lawsuits',
u'Bruesewitz v. Wyeth'): u'were basically eliminated with the SCOTUS decision in',
(u'Ryan Mojabi',
u'autism'): u'parents testified that vaccinations and MMR caused ',
(u'number of recommended shots', u'dramatic rise'): u'in',
(u'measles vaccine', u'failure'): u'deemed',
(u'thimerosal', u'human carcinogen'): u'is a known',
(u'genetically susceptible children',
u'medical genocide'): u"against California's",
(u'safe', u'thimerosal'): u'is',
(u'chest pain',
u'adverse effects'): u'experienced after flu shot vaccines include',
(u'big Ag', u'chemicals'): u'regulated by',
(u'harassment', u'post'): u'descriptions of',
(u'Vaccine Injury Compensation Program',
u'vaccine injuries'): u'has paid out $3 billion in damages to 4000',
(u'CDC', u'lives of children'): u'knowingly endangers',
(u'effective', u'evidence'): u'may not prove the flu shot is',
(u'black lives matter', u'CDC'): u'does not think',
(u'side effects', u'pharmaceutical companies'): u'underplay drug',
(u'guinea pigs', u'people'): u"shouldn't be treated like",
(u'mandatory vaccines', u'injury'): u'put way too many people at risk for',
(u'phthalates', u'environmental chemicals'): u'like',
(u'polio vaccine', u'CDC'): u'confirms SV40 removed from all',
(u'scientific fraud', u'headlines'): u'will be none about',
(u'right', u'informed consent'): u'to exercise to vaccination is critical',
(u'National Vaccine Injury Compensation Program',
u'compensation'): u'often ends up without any',
(u'measles decline', u'measles vaccine'): u'had been before',
(u'holocaust', u'vaccine industry'): u'is committing a',
(u'thimerosal',
u'pharmaceutical companies'): u'hatched up plan to cover up dangers',
(u'vaccine court', u'millions of dollars'): u'awarded',
(u'mandatory vaccines',
u'genetic testing'): u'needs to be mandatory requirement prior to',
(u'First do no harm', u'poisoning children'): u'has become',
(u'hydrolyzed porcine gelatin', u'shingles vaccine ingredients'): u'include',
(u'doctors',
u'should be questioned'): u'who are hell-bent on the philosophy of vaccination',
(u'neurological damage', u'narcolepsy'): u'is sign of',
(u'mothers',
u'Gardasil'): u'causes acute respiratory illness in babies who have been vaccinated with',
(u'vaccines are effective', u'health authorities'): u'people are told by',
(u'Nichole Rolfe',
u'Tdap vaccine'): u'says she and classmates were advised to push',
(u'cancer viruses', u'SV40'): u'include',
(u'higher doses', u'profitable drugs'): u'instructed to push at',
(u'legality', u'critical thinking'): u'about curriculum',
(u'poor access to nutritious food', u'measles'): u'can be deadly with',
(u'neurotoxin', u'thimerosal'): u'is',
(u'harmful toxins', u'vaccines'): u'are found in ',
(u'aborted baby', u'human DNA'): u'is from',
(u'truth seekers', u'search engine'): u'is for',
(u'lobbying', u'millions of dollars'): u'spent at state level',
(u'mainstream media', u'vaccines are safe'): u'people are told by',
(u'Sharyl Attkisson', u'alternative media'): u'is fearless indy journalist',
(u'homeopathy', u'measles'): u'would be interesting to know impact on',
(u'people', u'informed consent'): u'have',
(u'flu shot campaign',
u'larger campaign'): u'can only be viewed as prelude to much',
(u'extensive medication', u'incurable condition'): u'will require',
(u'neurotoxin', u'formaldehyde'): u'are',
(u'doctors', u'vaccine injury reporting system'): u'should know exists',
(u'numbers', u'autism'): u'increased from 1 in 88 to 1 in 68',
(u'violation of Hippocratic Oath',
u'mandatory vaccines'): u'without allowing for any conscionable objections or informed consent is blatant',
(u'children', u'USDA food donations'): u'donated to',
(u'Brian Hooker',
u'CDC documents'): u'has been requesting for nearly ten years',
(u'school', u'vaccines'): u'required by students in order to enroll in',
(u'chickenpox', u'chickenpox vaccine'): u'cause the spread of',
(u'race effects', u'Pediatrics paper'): u'were excluded from',
(u'Merck', u'whistleblowers'): u'have been',
(u'water', u'lead'): u'U.S. government tells us is BAD in',
(u'Nichole Rolfe', u'lawsuit'): u'has filed',
(u'vulnerable', u'vaccine industry'): u'has become',
(u'trust', u'government'): u'is not possible to',
(u'polio vaccine',
u'cancer'): u'produced from chimps and monkeys are responsible',
(u'African American males',
u'autism'): u'who received the MMR vaccine before age 36 months were at increased risk for',
(u'childhood vaccines',
u'thimerosal'): u'was eventually removed from the majority of',
(u'mainstream media', u'denial'): u'answer to genetic vulnerability is',
(u'pathogens', u'politicians'): u'deliberate release',
(u'vaccine story',
u'radio talk show'): u'call in if only presenting one side of',
(u'vaccine additives', u'neurotoxic'): u'are known to be potent chemicals',
(u'parents of unvaccinated children',
u'vaccine industry'): u'calls for arrest of',
(u'CDC', u'vaccination issue'): u'are now approaching the',
(u'CDC', u'Baby Boom'): u'makes no attempt to adjust for',
(u'clinical trials', u'CDC'): u'selectively omitting data from',
(u'folate', u'folic acid'): u'cheap synthetic form of',
(u'scare tactic', u'measles mortality'): u'global count for children is',
(u'vaccines', u'disabled children'): u'are being forced on',
(u'antibodies', u'failure'): u'of first measles vaccine in ability to create',
(u'thimerosal', u'autism'): u'was directly caused by',
(u'think globally act locally', u'you'): u'must',
(u'genetic counseling',
u'mandatory vaccines'): u'needs to be mandatory requirement prior to',
(u'individual doctors',
u'drug companies'): u'cozy lobbying arrangements with',
(u'vaccine injuries', u'victims'): u'are not being helped',
(u'truth', u'professional liars'): u'cover up',
(u'intimidation', u'modus operandi'): u'is becoming',
(u'vaccine industry',
u'vaccination'): u'dramatically increasing number has made richer',
(u'public',
u'escalating health conditions'): u'wonders why they have many other',
(u'vaccines', u'drug companies'): u'likely to push for mandated use of new',
(u'blockade',
u'medical dictatorship'): u'surest sign is an aggressively enforced',
(u'ACIP', u'injection of carcinogenic chemicals'): u'recommends',
(u'CDC published warnings', u'victims'): u'tells',
(u'vaccines', u'toxic substances'): u'are',
(u'vaccines',
u'vaccine-injured children'): u'in one pediatrician visit receive 5 to 7',
(u'newborn boys', u'autism'): u'more than tripled their risk of developing',
(u'children with autism', u'school bus staff'): u'abused by',
(u'vaccine injuries', u'toxic chemical ingredients'): u'damage victims',
(u'children', u'trace levels of mercury'): u'is not safe for',
(u"alzheimer's", u'autism'): u'brain cells same patterns with',
(u'Nichole Rolfe',
u'coercion methods'): u'became target of teachers after questioning',
(u'thimerosal', u'mercury'): u'contains',
(u'big profit centers', u'vaccine-injured children'): u'end up being',
(u'Gardasil', u'acute respiratory illness'): u'causes',
(u'Surgeon General Vivek Murthy', u'unethical'): u'is',
(u'doctors',
u'you'): u"have the courage to find another if refuses to provide medical care unless you agree to get the vaccines you don't want",
(u'stay awake during the school day',
u'expensive anti-narcolepsy drugs'): u'help him stay awake during',
(u'Pandemrix', u'narcolepsy'): u'occurred in children after receiving',
(u'thimerosal', u'fetal toxin'): u'is a recognized',
(u'children', u"parent's right"): u"is to choose what's best for their",
(u'toxic chemical ingredients',
u'SB 277'): u'refuses to require vaccine industry to remove',
(u'additive', u'vaccines'): u'has ',
(u'defective vaccines',
u'vaccine-injured children'): u'are children damaged by',
(u'loss of cognitive functions', u'behavior changes'): u'such as',
(u'thimerosal', u'preservative'): u'is vaccine',
(u'autism cases', u'brain damage'): u'include',
(u'toxic heavy metal', u'thimerosal'): u'is',
(u'vaccine industry', u'vaccines are safe'): u'falsely claims',
(u'legislators', u'lobbyists'): u'trying to persuade',
(u'potassium phosphate monobasic',
u'shingles vaccine ingredients'): u'include',
(u'controversial findings',
u'Pediatrics paper'): u'were intentionally withheld from the final draft of the',
(u'thimerosal', u'teratogen'): u'is a known',
(u'mainstream media', u'New York Times'): u'is outlet of U.S.',
(u'public', u'asthma'): u'wonders why they have',
(u'refusal of medical care', u'modus operandi'): u'is becoming',
(u'vaccine court',
u'Bill of Rights'): u'is granted extraordinary powers to operate utterly outside the ',
(u'annual flu shot',
u'health care professionals'): u'some are being fired if they refuse to get',
(u'parents',
u'infant death after vaccination'): u'were never allowed to see their son before he was cremated',
(u'Alysia Osoff',
u'push vaccines on sick children'): u'allegedly told Nichole Rolfe and other students to',
(u'CDC and Big Pharma', u'lies'): u'has between them outright',
(u'vaccines', u'widespread fear'): u'would sell more',
(u'legal immunity', u'pharmaceutical companies'): u'have been granted',
(u'measles increase', u'measles cases'): u'in 1958 of',
(u'children',
u'asthma'): u'number has more than tripled during past 30 years for',
(u'pneumonia', u'shingles'): u'can also lead to',
(u'vaccine ingredients', u'Tween 80'): u'is questionable',
(u'discrimination', u'education'): u'could come soon when it comes to',
(u'sinister revenue model', u'Big Pharma'): u'has perfect',
(u'clinical research', u'people'): u'no longer possible to believe published',
(u'reactions', u'vaccines'): u'are unpredictable for new',
(u'tetanus vaccine', u'United States'): u'administered in early 1950s',
(u'high risk of speech disorder', u'thimerosal'): u'associated with exposure',
(u'employment laws',
u'informed consent'): u'stand up and fight to protect and expand in',
(u'science', u'corporate interests'): u'is easily corrupted by',
(u'vaccine damage', u'DNA'): u"can be correlated to child's",
(u'mercury', u'vaccine industry'): u'refuses to remove from vaccines',
(u'paying bribes', u'pharmaceutical companies'): u'numerous times accused of',
(u'nervous system', u'mercury'): u'extremely toxic to the human',
(u"Attkisson's website",
u'alternative media'): u'is one of thousands of independent media websites',
(u'cause of death', u'investigations'): u'none were conducted on the',
(u"Kennedy's death", u'Robert F. Kennedy Jr.'): u'work continued after',
(u'vaccine manufacturer profits',
u'vaccine-injured children'): u'stories endanger',
(u'Zostavax', u'shingles vaccine'): u'is branded',
(u'grocery stores', u'toxic and ineffective flu shots'): u'are sold in',
(u'flu shots', u'advertised'): u'do not work as',
(u'harm', u'vaccine products'): u'cause',
(u'black children', u'vaccines'): u'in particular harm',
(u'information', u'Dr. William Thompson'): u'omitted ',
(u'financial influence',
u'vaccine-damaged children'): u'results in media refusing to cover stories about',
(u'government', u'wrong doing'): u'have admitted to',
(u'unvaccinated children',
u'vaccinated children'): u'tests would show are smarter than',
(u'high risk of speech disorder', u'CDC'): u'informed internally in 2000 of',
(u'intelligent questions',
u'vaccine delusions'): u'are the greatest threat to ',
(u'vaccine ingredients', u'Triton X-100'): u'is questionable',
(u'connective tissue disorders', u'bovine calf serum'): u'causes',
(u'Dr. Paul Offit', u'vaccine risks'): u'regularly dismisses many potential',
(u'unvaccinated children', u'scientific tests'): u'would show healthier',
(u'monosodium glutamate',
u'rational doctor'): u'cannot believe it is somehow safe injecting infants and children with',
(u'false grounds', u'Nichole Rolfe'): u'dismissed from program on',
(u'Baby Boomers',
u'formula'): u'were highly susceptible beause they were almost exclusively fed',
(u'pro-vaccination', u'Robert F. Kennedy Jr.'): u'claims to be',
(u'Vaccine Injury Compensation Fund',
u'National Vaccine Injury Compensation Program'): u'is',
(u'first-world nations', u'United States'): u'give more vaccines than other',
(u'thimerosal',
u'high risk of non-organic sleep disorder'): u'associated with exposure',
(u'anti-vaccination',
u'Hollywood celebrities'): u'has been another issue for',
(u'NVIC', u'non-profit charity'): u'is',
(u'larger campaign',
u'higher education'): u'in future may end up dictating whether you will be allowed',
(u'thimerosal phase out', u'vaccines'): u'out of',
(u'health outcomes',
u'vaccinated children versus unvaccinated children'): u'vaccine industry refuses to conduct scientific tests on',
(u'RA 27/3', u'MCR-5'): u'similar line to',
(u'Big Pharma', u'profits'): u'generated by being damaged for',
(u'young doctors',
u'giving children fewer vaccines on the same day'): u'making personalized vaccine decisions such as',
(u'lab results',
u'government contracts'): u'were fabricated by Merck to continue receiving',
(u'violation of law', u'vaccine court'): u'is',
(u'toxicity',
u'vaccine ingredients'): u'may not have been properly tested for',
(u'young doctors',
u'families who decline vaccines'): u'making personalized vaccine decisions such as continuing to provide medical care for',
(u'doctors', u'real risks'): u'unwilling to admit',
(u'Nichole Rolfe',
u'bullying'): u'says she was dismissed for raising concerns about vaccine curriculum',
(u'safety', u'vaccines'): u'uncertainty surrounding',
(u'underdeveloped country', u'measles'): u'can be deadly in',
(u'neurotoxin', u'monosodium glutamate'): u'is known',
(u'children', u'disability'): u'increasing incidence in',
(u'African women',
u'abortion chemicals'): u'were being given vaccines secretly laced with',
(u'parents',
u'Baker College nursing school instructors'): u'told Nichole Rolfe to threaten',
(u'false grounds',
u'Baker College nursing school instructors'): u'were that Nichole Rolfe had harassed',
(u'fear',
u'mainstream media'): u'about an occasional outbreak of a disease are usually designed to promote as much',
(u'vaccine choices',
u'young doctors'): u'good news as partners with parents in making personalized',
(u'clinical trials',
u'vaccines'): u'additional being developed and tested in',
(u'therapies', u'vaccine-injured children'): u'require',
(u'hepatitis B vaccine',
u'Matthew Downing'): u'had been given an extra dose of the',
(u'MMR', u'MCR-5'): u'used for',
(u"GlaxoSmithKine's Energix B", u'vaccines'): u'to be the worst of the bunch',
(u'autism rate', u'Amish'): u'have near-zero',
(u'sellout editors', u'mainstream media'): u'has',
(u'MMR', u'autism'): u'only one studied in association with',
(u'autism', u'vaccine-injured children'): u'often revealed to have',
(u'children', u'deaths'): u'have suffered',
(u'vaccine damage', u'doctors'): u'cover up',
(u'public', u'allergies'): u'wonders why they have',
(u'vaccination exemptions',
u'conscientious belief exemption'): u'non-medical legal include',
(u'vaccine additives', u'monosodium glutamate'): u'include',
(u'children',
u'doctors'): u'take time to locate one who is willing to work with you to do what is right for your',
(u'children', u'toxic vaccines'): u'provably harm',
(u'shingles vaccine', u'shingles'): u'even if already had should get',
(u'thimerosal',
u'CDC'): u'has been shunning for a very long time correlation of',
(u'NHS medical staff', u'lost earnings'): u'will be suing for millions in',
(u'death from suicide', u'measles mortality'): u'more likely than',
(u'Big Tobacco', u'Big Pharma'): u'is like',
(u'potassium chloride', u'shingles vaccine ingredients'): u'include',
(u'severe autism', u'thimerosal'): u'in vaccines may have led to',
(u'mandatory vaccines', u'deaths'): u'put way too many people at risk for',
(u'convenience', u'vaccine industry'): u'use mercury for',
(u'immunity', u'vitamin D'): u'greatly boosts natural',
(u'vitamin A supplements',
u'measles complications'): u'confirmed to reduce significantly',
(u'studies', u'industry-funded findings'): u'dispute',
(u'public',
u'national news headlines'): u'would be condemning the fraud as endangering',
(u'Vaccine Injury Compensation Program',
u'pain and suffering'): u'awarded millions of dollars under the name of',
(u'Australia',
u'pandemic H1N1 swine flu vaccine'): u'temporarily banned use of',
(u'blood-transmitted disease', u'hepatitis B'): u'is mainly',
(u'neurological disorders',
u'CDC'): u'has been shunning for a very long time correlation between thimerosal and',
(u'malnourishment', u'measles'): u'can be deadly with',
(u'science', u'corporate-controlled science'): u'is not real',
(u'mercury', u'people'): u'each person differently processes',
(u'vaccine ingredients', u'flu shots'): u'many questionable found in',
(u'squalene', u'vaccine ingredients'): u'is another dangerous',
(u'limb paralysis',
u'adverse effects'): u'experienced after flu shot vaccines include',
(u'vaccine insert sheets', u'nobody'): u'reads',
(u'Dr. Paul Offit', u'vaccine safety'): u'is a proponent for',
(u'vaccines', u'thimerosal'): u'should be taken out of',
(u'autoimmune disorder', u'vaccines'): u'may have been caused by',
(u'doctors', u'vaccine safety'): u'told parents to trust',
(u'gene products', u'adverse effects'): u'involved in pathogenesis of',
(u'intelligent questions', u'mainstream media'): u'will never ask censored',
(u'children', u'vaccine industry'): u'use mercury at the expense of the',
(u'SV40', u'vaccines'): u'removed from all',
(u'health outcomes',
u'vaccine industry'): u'refuses to conduct scientific tests on the',
(u'hepatitis B vaccine',
u'autism'): u'giving to newborn baby boys more than triples their risk of developing',
(u'bovine calf serum', u'shingles vaccine ingredients'): u'include of course',
(u'former cheerleaders', u'pharmaceutical companies'): u'hire',
(u'African women',
u'pro-vaccination'): u'in Africa discovered laced vaccines given to',
(u"GlaxoSmithKine's Energix B",
u'demyelination'): u'increasing risk by 74 percent',
(u'lifelong immunity', u'vaccines'): u'do not provide',
(u'vaccines',
u'abortion chemicals'): u'being given to young African women were secretly laced with',
(u'childhood vaccines', u'shingles vaccine ingredients'): u'contain many',
(u'controversial', u'SB 277'): u'is',
(u'vaccine insert sheets',
u'pregnant women'): u'openly admit most of have never been tested for safety in',
(u'mainstream media', u'facts'): u'refuses to report',
(u'trace amounts of thimerosal', u'vaccine industry'): u'in many cases use',
(u'childhood vaccines',
u'severe autism issues'): u"our sons don't have due to our insistence in ensuring no thimerosal from",
(u'vaccine safety', u'autism'): u'questionable in relation to',
(u'professional liars', u'mainstream media'): u'has',
(u'vaccine choices', u'legal right'): u'to make in America voluntary',
(u'science', u'vaccines spread disease'): u'shows',
(u'CDC',
u'number of measles cases'): u'uses rather than rate of measles cases',
(u'toxic', u'folic acid'): u'accumulates and becomes',
(u'vaccines', u'debate'): u'are hot topic for',
(u'issue', u'Hollywood celebrities'): u'has been another',
(u'Octoxinol-9', u'flu shots'): u'contain questionable ingredients such as',
(u'holocaust', u'vaccination'): u'is',
(u'scientific fraud',
u'Rep. Bill Posey'): u'statement contained astonishing description of brazen CDC',
(u'lemming society', u'shut up'): u'is where public is told to',
(u'residual components of MRC-5 cells',
u'shingles vaccine ingredients'): u'include',
(u'vaccination coverage', u'elderly'): u'increased since 1980 among',
(u'job',
u'larger campaign'): u'in future may end up dictating whether you will be allowed',
(u'doctors', u'vaccines are safe'): u'repeated',
(u'digestive tract',
u'injecting any substance'): u'bypasses the protections of the',
(u'lab results',
u'mumps vaccine'): u'fabricated to claim 95% efficacy rate for',
(u'adverse effects',
u'convulsions'): u'experienced after flu shot vaccines include',
(u'pandemic H1N1 swine flu vaccine',
u'Guillain-Barre syndrome'): u'federal oversight committee found possible link to',
(u'herd mentality', u'questions'): u'expects people to ask no honest',
(u'big Ag', u'toxic chemical ingredients'): u'regulated by',
(u'children', u'vaccination'): u'number has dramatically increased for',
(u'flu shot while pregnant',
u'thimerosal'): u'I never took because I knew flu shots had high levels of',
(u'endangered children', u'immunocompromised children'): u'are those who are',
(u'Big Pharma', u'you'): u'refuses to protect',
(u'vaccination decisions',
u'informed consent'): u'people want to exercise when it comes to making voluntary',
(u'immunization', u'vaccination'): u'doctors fraudulently call',
(u'vaccine ingredients',
u'brain damage'): u'cause negative reactions that result in',
(u'public', u'chronic disease'): u'wonders why they have many other',
(u'mainstream media', u'conflict of interest'): u'exhibits extreme',
(u'questions', u'line up'): u'expected of people without asking any honest',
(u'scientists',
u'troubling data'): u"top government group plotting how to protect industry's bottom line by getting rid of",
(u'trace amounts of thimerosal', u'spectrum'): u'therefore',
(u'public health', u'vaccines'): u'are not great for',
(u'vaccine safety',
u'pharmaceutical companies'): u'trusted voices in defense are closely tied to paid shills for',
(u'Dr. Paul Offit', u'vaccine efficacy'): u'is a proponent for',
(u'seizures', u'vaccine-related adverse outcomes'): u'include',
(u'healthy gut flora', u'antibiotics'): u'destroy',
(u'Dr. Paul Offit',
u"Merck's RotaTeq vaccine"): u'is a listed inventor on cluster of patents that protect',
(u'doctors', u'delusional'): u'who inject children with vaccines are',
(u'distractions', u'Disneyland measles outbreak'): u'include',
(u'improved healthcare', u'vaccines'): u'played big role after',
(u'IRF1',
u'smallpox vaccination'): u'genetic polymorphism in gene was associated with adverse events after',
(u'additive', u'thimerosal'): u'is',
(u'immunity', u'measles vaccine'): u'does not confer',
(u'efficacy', u'mumps vaccine'): u'was fabricated for',
(u'rules of due process and law',
u'vaccine court'): u'is granted extraordinary powers to operate utterly outside the',
(u'children', u'narcolepsy'): u'caused by swine flu vaccine in hundreds of',
(u'disclosure', u'mandatory vaccines'): u'needs to be mandated prior to',
(u'VAERS hepatitis B reports', u'serious reactions'): u'show 9,673',
(u'whistleblower', u'CDC study'): u'provided documents related to 2004',
(u'aluminum',
u'rational doctor'): u'cannot believe it is somehow safe injecting infants and children with',
(u'Pandemrix',
u'European countries'): u'was used to inoculate up to 30 million people in 47 other',
(u'obedient', u'mainstream media'): u'is',
(u'childhood vaccines',
u'vaccine ingredients'): u'many are manufactured with disturbing',
(u'pharmaceutical companies', u'alternative media'): u'is not sponsored by',
(u'vaccines',
u'ethylmercury'): u'review disclosed hitherto-unrecognized levels in',
(u'nurse', u'Nichole Rolfe'): u'is more qualified to be a',
(u'clinical trials',
u'vaccine safety'): u'there are none showing simultaneous',
(u'children',
u'International Business Times'): u'reports more than 800 across Europe made ill by swine flu vaccine',
(u'False Claims Act', u'Merck'): u'filed',
(u'vaccine injuries', u'people'): u'affect thousands every year',
(u'pregnant women', u'amniocentesis'): u'were given thimerosal if was done',
(u'Gardasil injuries',
u'alternative media'): u'information inside the U.S. comes mainly from',
(u'vaccine ingredients',
u'shingles vaccine ingredients'): u'virtually the same as other',
(u'Dr. Paul Offit', u'mandatory vaccines'): u'promotes',
(u'vaccines', u'population'): u'no vaccine is completely safe in the entire',
(u'vaccine effects', u'fetal development'): u'are unknown on',
(u'measles mortality',
u'cod-liver oil'): u'ended up lowering rate significantly',
(u'CDC', u'measles decline'): u'shows',
(u'sanctions', u'doctors'): u'by',
(u'shingles', u'shingles risk'): u'very slim if already had',
(u'ineffective flu vaccine', u'disabled children'): u'being forced on',
(u'medical trade associations', u'drug companies'): u'funded by',
(u'truth', u'SV40'): u'took 50 years to come out about',
(u'deadly diseases', u'vaccines'): u'have eradicated many once',
(u'human beings', u'people'): u'should be treated like',
(u'genetic correlation', u'vaccine damage'): u'there is with',
(u'vaccines', u'Americans'): u'fly under the radar of most',
(u'FDA', u'additives'): u'regulated by',
(u'vaccine choices',
u'drug companies'): u"want taken out of people's hands the right to make informed",
(u'MTHFR C677T defect',
u'Italian descent'): u'approximately 30% have inherited both',
(u'pain and suffering', u'millions of dollars'): u'awarded under name of',
(u'FETCH.news', u'alternative media'): u'now favored on',
(u'flu shots',
u'pharmaceutical companies'): u'selling vaccines have proved safety and efficacy of',
(u'children with autism', u'peer bullying'): u'experience',
(u'vaccines', u'CDC'): u'recommends by age 6 48 doses of 14',
(u'trace amounts of thimerosal',
u'number of vaccines'): u'how many have caused an issue due to increased',
(u'lawsuit', u'circuit court'): u'filed in',
(u'nursing school at Baker College',
u'Nichole Rolfe'): u'says she was wrongfully dismissed from',
(u'children',
u'toxic chemical ingredients'): u'could become brain damaged by',
(u'settlement',
u'government'): u'did not want to admit guilt likely a part of the huge',
(u'United States', u'vaccination rate'): u'has some of the highest',
(u'pharmaceutical companies',
u'vaccine-injured children'): u'were damaged in the first place by',
(u'recombinant human albumin',
u'genetically engineered human protein'): u'also known as',
(u'children',
u'vaccine dangers'): u'parents would never take the chance to subject their',
(u'thimerosal',
u'The Vaccine and Autism Congressional Hearing'): u'testimony given from respected research doctor at Baylor College of Medicine at',
(u'petitioner-friendly',
u'National Vaccine Injury Compensation Program'): u'was created to be',
(u'lobbying', u'drug companies'): u'manipulate through',
(u'National Vaccine Injury Compensation Program',
u'claims'): u'allows for a fair and much more simple process of filing',
(u'vaccines', u'problem'): u'could be major part of',
(u'scientists',
u'thimerosal'): u'top government secretly gathered to discuss use of in childhood vaccines',
(u'vaccines', u'immune system'): u'more and more is atypical manipulation of',
(u'vaccines',
u'scientifically irresponsible assertion'): u'receiving up to 10,000 vaccines at once and 100,000 in a lifetime is',
(u'risks', u'hepatitis B vaccine'): u'little to no protection to real',
(u'vaccine insert sheets',
u'side effects'): u'disclose long list of frightening and bizarre',
(u'vaccines', u'widespread health problems'): u'more and more not solving',
(u'scientific fraud', u'investigations'): u'none into',
(u'doctors', u'financial influence'): u'may have',
(u'vaccine reactions',
u'Vaccine Adverse Event Reporting System'): u'developed by government to report',
(u'healthier children',
u'vaccination'): u'dramatically increasing the number during the past 30 years may not have led to',
(u'American Academy of Pediatrics',
u'vaccine industry'): u'gives millions to',
(u'swelling of the brain',
u'adverse effects'): u'experienced after flu shot vaccines include',
(u'special education services',
u'hepatitis B vaccine'): u'was associated with the receipt of',
(u'pharma-controlled U.S. media',
u'vaccine-damaged children'): u'claims none in the United States',
...}
In [11]:
for e in a:
if edgelabels.has_key(e):
print e,edgelabels[e]
else:
rev_e = e[::-1]
print rev_e, edgelabels[rev_e]
(u"alzheimer's", u'autism') brain cells same patterns with
(u'Vaccine Injury Compensation Program', u'autism') found in two kids after being vaccinated awarded by
(u'toxic chemical ingredients', u'autism') may be significant contributing factor to
(u'studies', u'autism') but where are of all the others in relation to
(u'vaccine safety', u'autism') questionable in relation to
(u'vaccination', u'autism') caused
(u'MMR', u'African American males') were at increased risk for autism who received before age 36 months
(u'CDC', u'link') obscure an existing
(u'autism', u'vaccine-injured children') often revealed to have
(u'vaccines', u'autism') debate rages on
(u'newborn boys', u'hepatitis B vaccine') more than tripled their risk of developing autism spectrum disorder in
(u'public', u'autism') wonders why they have
(u'preservative', u'autism') in vaccine causes
(u'autism', u'measles') some parents feel more dangerous than
(u'thimerosal', u'autism') was directly caused by
(u'glutathione', u'autism') significantly lower in patients diagnosed with
(u'military records', u'measles decline') show before measles vaccine
(u'CDC', u'autism') obscure an existing link between vaccines and
(u'children', u'autism') every year tens of thousands more diagnosed with
(u'hepatitis B vaccine', u'autism') giving to newborn baby boys more than triples their risk of developing
(u'mainstream media', u'CDC whistleblower') total nationwide blackout on news about
(u'encephalopathy', u'autism') caused by vaccines produces a permanent injury and creates symptoms of
(u'Ryan Mojabi', u'autism') parents testified that vaccinations and MMR caused
(u'MMR', u'autism') only one studied in association with
In [ ]:
# this takes forever
# average connectivity k of a graph G is the average of local node connectivity over all pairs of nodes of G
#nx.average_node_connectivity(Gc)
In [ ]:
# NEW SUMMARY
print "List of connected components =", [len(c) for c in sorted(nx.connected_components(ugraph), key=len, reverse=True)]
print "Size of greatest component =", len(Gc)
print "# of cutsets =", len(cutsets)
print "Min node cut =", nx.minimum_node_cut(Gc)
print "Min edge cut =", nx.minimum_edge_cut(Gc)
Content source: gloriakang/vax-sentiment
Similar notebooks: